Go to SourceTree software. Create new git repository in DataVisualization folder (on same level as DrCannata folder).
If did not create the repo, clone the repo in SourceTree software.
Create an RStudio project in the project folder.
Create three folders in RStudio Project:
00 Doc: where .Rmd and graphics folder lives
01 Data: where data will be stored
02 DataWrangling: where data is explored in ggplot 03 Visualizations: Where visualizations are saved
Download csv file documenting all vehicle recalls in Cannada.
(This step may take a while to load)
# ETL Script for Vehicle Recall Data for DV_RProject2
require(dplyr)
## Loading required package: dplyr
##
## Attaching package: 'dplyr'
##
## The following objects are masked from 'package:stats':
##
## filter, lag
##
## The following objects are masked from 'package:base':
##
## intersect, setdiff, setequal, union
file_path <- ("~/DataVisualization/DV_RProject2/01 Data/vrdb_full_monthly.csv")
# read raw csv into dataframe df
df <- read.csv(file_path, stringsAsFactors = FALSE)
# scrub column names for periods, replace with underscore
names(df) <- gsub("\\.+", "_", names(df))
# check your data
str(df)
## 'data.frame': 77568 obs. of 14 variables:
## $ RECALL_NUMBER_NUM : chr "1975001" "1975002" "1975002" "1975002" ...
## $ YEAR : int 1975 1973 1973 1973 1973 1974 1974 1974 1974 1975 ...
## $ MANUFACTURER_RECALL_NO_TXT: chr "" "" "" "" ...
## $ CATEGORY_ETXT : chr "Car" "Truck - Med. & H.D." "Truck - Med. & H.D." "Truck - Med. & H.D." ...
## $ CATEGORY_FTXT : chr "Voiture" "Camion - usage moyen et usage intensif" "Camion - usage moyen et usage intensif" "Camion - usage moyen et usage intensif" ...
## $ MAKE_NAME_NM : chr "VOLVO" "IHC" "IHC" "IHC" ...
## $ MODEL_NAME_NM : chr "200 SERIES" "7070" "F4170" "F7070" ...
## $ UNIT_AFFECTED_NBR : chr "2,700.00" "0.00" "0.00" "0.00" ...
## $ SYSTEM_TYPE_ETXT : chr "Steering" "Not Entered" "Not Entered" "Not Entered" ...
## $ SYSTEM_TYPE_FTXT : chr "Direction" "Non Saisie" "Non Saisie" "Non Saisie" ...
## $ NOTIFICATION_TYPE_ETXT : chr "Safety Mfr" "Not Entered" "Not Entered" "Not Entered" ...
## $ NOTIFICATION_TYPE_FTXT : chr "Sécurité - fabricant" "Non Saisie" "Non Saisie" "Non Saisie" ...
## $ COMMENT_ETXT : chr "On certain Volvo 242, 244 and 245, the steering shaft nut could loosen" "HIGH LOAD STRESSES OCCUR IN CAB MOUNTING BRACKET FLANGES. IF BREAKAGE SHOULD ODDUR, CAB ASSEMBLY COULD SHIFT AND AFFECT STEERI"| __truncated__ "HIGH LOAD STRESSES OCCUR IN CAB MOUNTING BRACKET FLANGES. IF BREAKAGE SHOULD ODDUR, CAB ASSEMBLY COULD SHIFT AND AFFECT STEERI"| __truncated__ "HIGH LOAD STRESSES OCCUR IN CAB MOUNTING BRACKET FLANGES. IF BREAKAGE SHOULD ODDUR, CAB ASSEMBLY COULD SHIFT AND AFFECT STEERI"| __truncated__ ...
## $ COMMENT_FTXT : chr "Translation not available" "Translation not available" "Translation not available" "Translation not available" ...
# defined 3 measures
measures <- c("RECALL_NUMBER_NUM", "YEAR", "UNIT_AFFECTED_NBR")
# scrub special characters
for(n in names(df)) {
df[n] <- data.frame(lapply(df[n], gsub, pattern="[^ -~]",replacement= ""))
}
dimensions <- setdiff(names(df), measures)
if( length(measures) > 1 || ! is.na(dimensions)) {
for(d in dimensions) {
# Get rid of " and ' in dimensions.
df[d] <- data.frame(lapply(df[d], gsub, pattern="[\"']",replacement= ""))
# Change & to and in dimensions.
df[d] <- data.frame(lapply(df[d], gsub, pattern="&",replacement= " and "))
# Change : to ; in dimensions.
df[d] <- data.frame(lapply(df[d], gsub, pattern=":",replacement= ";"))
}
}
# no dates to format
# Get rid of all characters in measures except for numbers, the - sign, and periods
if( length(measures) > 1 || ! is.na(measures)) {
for(m in measures) {
df[m] <- data.frame(lapply(df[m], gsub, pattern="[^--.0-9]",replacement= ""))
}
}
# uncomment to pare data down to 1/14th of original size (with evenly-spaced row selection)
#smalldf <- df %>% filter(row_number() %% 14 == 0)
#summary(smalldf)
#write.csv(smalldf, paste(gsub(".csv", "", file_path), ".reformatted.csv", sep=""), row.names=FALSE, na = "")
write.csv(df, paste(gsub(".csv", "", file_path), ".long.reformatted.csv", sep=""), row.names=FALSE, na = "")
tableName <- gsub(" +", "_", gsub("[^A-z, 0-9, ]", "", gsub(".csv", "", file_path)))
sql <- paste("CREATE TABLE", tableName, "(\n-- Change table_name to the table name you want.\n")
if( length(measures) > 1 || ! is.na(dimensions)) {
for(d in dimensions) {
sql <- paste(sql, paste(d, "varchar2(4000),\n"))
}
}
if( length(measures) > 1 || ! is.na(measures)) {
for(m in measures) {
if(m != tail(measures, n=1)) sql <- paste(sql, paste(m, "number(38,4),\n"))
else sql <- paste(sql, paste(m, "number(38,4)\n"))
}
}
sql <- paste(sql, ");")
cat(sql)
## CREATE TABLE DataVisualizationDV_RProject201_Datavrdb_full_monthly (
## -- Change table_name to the table name you want.
## MANUFACTURER_RECALL_NO_TXT varchar2(4000),
## CATEGORY_ETXT varchar2(4000),
## CATEGORY_FTXT varchar2(4000),
## MAKE_NAME_NM varchar2(4000),
## MODEL_NAME_NM varchar2(4000),
## SYSTEM_TYPE_ETXT varchar2(4000),
## SYSTEM_TYPE_FTXT varchar2(4000),
## NOTIFICATION_TYPE_ETXT varchar2(4000),
## NOTIFICATION_TYPE_FTXT varchar2(4000),
## COMMENT_ETXT varchar2(4000),
## COMMENT_FTXT varchar2(4000),
## RECALL_NUMBER_NUM number(38,4),
## YEAR number(38,4),
## UNIT_AFFECTED_NBR number(38,4)
## );
-Gives us:
CREATE TABLE DataVisualizationDV_RProject201_Datavrdb_full_monthly (
-- Change table_name to the table name you want.
MANUFACTURER_RECALL_NO_TXT varchar2(4000),
CATEGORY_ETXT varchar2(4000),
CATEGORY_FTXT varchar2(4000),
MAKE_NAME_NM varchar2(4000),
MODEL_NAME_NM varchar2(4000),
SYSTEM_TYPE_ETXT varchar2(4000),
SYSTEM_TYPE_FTXT varchar2(4000),
NOTIFICATION_TYPE_ETXT varchar2(4000),
NOTIFICATION_TYPE_FTXT varchar2(4000),
COMMENT_ETXT varchar2(4000),
COMMENT_FTXT varchar2(4000),
RECALL_NUMBER_NUM number(38,4),
YEAR number(38,4),
UNIT_AFFECTED_NBR number(38,4)
);
-Encountered JSON parsing error when trying to fetch database
-After some sleuthing, pinpointed problem rows in database:
-The values looked strange, but nothing about them explained why JSON had read them as infinity. The csv files held some answers though…
-A-ha! Some values in the original csv contained some codes in a number-‘E’-number format, and upon reformatting they had been parsed as scientific notation.
-Very few rows even contained values in the offending column, so the simplest solution seemed to be to drop the column entirely from our data. There didn’t seem to be any pattern to Manufacturer’s recall codes anyway.
-Oracle was reacting badly to the offending data, so we eventually opted to drop the table entirely and rebuild it with a modified SQL statement.
-While we were at it we pulled out four columns that were french translations of other columns. None of us speak French.
Creating dataframe from Oracle’s database with SQL query:
require("jsonlite")
## Loading required package: jsonlite
##
## Attaching package: 'jsonlite'
##
## The following object is masked from 'package:utils':
##
## View
require("RCurl")
## Loading required package: RCurl
## Loading required package: bitops
df <- data.frame(fromJSON(getURL(URLencode('129.152.144.84:5001/rest/native/?query="select * from recalls"'),httpheader=c(DB='jdbc:oracle:thin:@129.152.144.84:1521/PDBF15DV.usuniversi01134.oraclecloud.internal', USER='cs329e_qan74', PASS='orcl_qan74', MODE='native_mode', MODEL='model', returnDimensions = 'False', returnFor = 'JSON'), verbose = TRUE), ))
summary(df)
## CATEGORY_ETXT MAKE_NAME_NM
## Truck - Med. and H.D.:1142 FORD : 268
## Car : 989 INTERNATIONAL: 230
## Motorhome : 600 CHEVROLET : 193
## Travel Trailer : 469 MACK : 161
## Bus : 440 FREIGHTLINER : 153
## Light Truck and Van : 385 THOMAS BUILT : 149
## (Other) :1515 (Other) :4386
## MODEL_NAME_NM SYSTEM_TYPE_ETXT
## CONVENTIONAL : 23 Other :1062
## SAF-T-LINER C2 SCHOOL BUS: 23 Brakes : 621
## RAM : 22 Electrical : 539
## 4900 : 21 Not Entered: 396
## C SERIES : 20 Steering : 382
## H3-45 COACH : 19 Fuel Supply: 365
## (Other) :5412 (Other) :2175
## NOTIFICATION_TYPE_ETXT
## Safety Mfr :3810
## Recalls Audit : 429
## Safety TC : 375
## Not Entered : 368
## Compliance Mfr: 321
## Compliance TC : 173
## (Other) : 64
## COMMENT_ETXT
## On certain motorhomes, conventional travel trailers and fifth wheel travel trailers equipped with a Dometic Corporation refrigerator, a fatigue crack can develop in the boiler tube. This could allow the release of pressurized coolant solution into an area where an ignition source is present, which could result in a fire. Correction; Dealers will replace the refrigerators boiler tube assembly. : 156
## Certain refrigerators used in Recreational Vehicles (RVs) contain either a sensing algorithm or a thermal switch to interrupt power when it detects high temperatures that could lead to a fire. An insufficient response time can result in the power not being shut-off in sufficient time to prevent a fire, which could result in property damage and/or personal injury. Correction; Dealers will install a thermocouple with a faster response time for all refrigerators with a sensing algorithm or a thermal switch. : 69
## On certain recreational vehicles equipped with a Samsung microwave oven, an electrical short can occur in the microwave ovens membrane panel keypad causing the oven to activate without pressing any keypads. This could result in excessive heat, smoke or possibly a fire. Correction; Samsung will notify its customers and repair the membrane panel keypad. In the meantime, consumers should unplug their microwave ovens, if possible. If the consumer is unable to unplug the microwave, they should leave the door ajar until the membrane panel keypad is replaced.: 64
## On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit. : 49
## Certain travel trailers and motorhomes equipped with a Norcold gas/electric refrigerator model 442, 443, 452, EV452, 453, 462, EV462, 463, EV463, 482, EV482, 483, EV483, 874 and 875 manufactured between January 1987 and May 1995 may have a propane leak from the gas valve. As the rubber seal within the gas valve ages, a leak may occur, allowing propane gas to accumulate in the burner area. As the refrigerator relighter attempts to light the burner, this accumulated gas can cause a fire. Correction; Dealer will replace the gas valve. : 42
## Certain off-road motorcycles, ATVs and competition motorcycles do not have the required bilingual warning label indicating that the vehicle is a restricted use motorcycle or an all-terrain vehicle and is not intended for use on public highways. These vehicle were equipped with a label in one of the two official languages instead of one containing both French and English as required. Correction; Since this does not pose any safety risk, no corrective action is required. : 35
## (Other) :5125
## RECALL_NUMBER_NUM YEAR UNIT_AFFECTED_NBR
## Min. : 198003 Min. :-9999 Min. : 0
## 1st Qu.:1998159 1st Qu.: 1995 1st Qu.: 120
## Median :2006346 Median : 2003 Median : 949
## Mean :1995555 Mean : 1987 Mean : 24542
## 3rd Qu.:2010328 3rd Qu.: 2008 3rd Qu.: 8328
## Max. :2015385 Max. : 2016 Max. :834368
##
A subset of recalls dataframe where number of units affected for each category is greater than 400,000:
head(subset(df, as.numeric(as.character(UNIT_AFFECTED_NBR)) > 400000))
## CATEGORY_ETXT MAKE_NAME_NM MODEL_NAME_NM SYSTEM_TYPE_ETXT
## 294 Car PONTIAC GRAND PRIX Suspension
## 295 Car PONTIAC GRAND LEMANS Suspension
## 296 Car OLDSMOBILE CUTLASS SALON Suspension
## 918 Car MERCURY COUGAR Lights And Instruments
## 919 Car MERCURY COUGAR Lights And Instruments
## 1049 Car ACURA INTEGRA Seats And Restraints
## NOTIFICATION_TYPE_ETXT
## 294 Safety TC
## 295 Safety TC
## 296 Safety TC
## 918 Safety TC
## 919 Safety TC
## 1049 Safety TC
## COMMENT_ETXT
## 294 On certain vehicles, the lower rear control arm to frame bolts may fracture causing lower control arm to drop free. If this happens vehicle damage or crash without warning may occur.
## 295 On certain vehicles, the lower rear control arm to frame bolts may fracture causing lower control arm to drop free. If this happens vehicle damage or crash without warning may occur.
## 296 On certain vehicles, the lower rear control arm to frame bolts may fracture causing lower control arm to drop free. If this happens vehicle damage or crash without warning may occur.
## 918 NOTE; ALSO INCLUDES SOME MEDIUM AND HEAVY TRUCKS. THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S. 108 - LIGHTING. DAYTIME RUNNING LIGHT MODULE MAY MALFUNCTION WHICH CAN RESULT IN DAYTIME RUNNING LIGHTS THAT DIM, FLICKER OR GO OFF OR IN SOME INSTANCES MAY REMAIN ON AFTER THE IGNITION IS TURNED OFF. CORRECTION; DAYTIME RUNNING LIGHT MODULE WILL BE REPLACED ON AFFECTED VEHICLES.
## 919 NOTE; ALSO INCLUDES SOME MEDIUM AND HEAVY TRUCKS. THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S. 108 - LIGHTING. DAYTIME RUNNING LIGHT MODULE MAY MALFUNCTION WHICH CAN RESULT IN DAYTIME RUNNING LIGHTS THAT DIM, FLICKER OR GO OFF OR IN SOME INSTANCES MAY REMAIN ON AFTER THE IGNITION IS TURNED OFF. CORRECTION; DAYTIME RUNNING LIGHT MODULE WILL BE REPLACED ON AFFECTED VEHICLES.
## 1049 On certain vehicles, the platic front seatbelt release buttons may break allowing plastic pieces to fall into the buckle assembly. If this should happen, a no latch, false latch or failure to unlatch condition could occur creating the risk of personal injury in the event of a crash or sudden stop. Correction; Front seatbelt buckles will be repaired or replaced as necessary.
## RECALL_NUMBER_NUM YEAR UNIT_AFFECTED_NBR
## 294 1981027 1979 486090
## 295 1981027 1980 486090
## 296 1981027 1981 486090
## 918 1992077 1990 464543
## 919 1992077 1991 464543
## 1049 1995086 1989 423467
Description:
My workflow only looks at 4 columns: Maker (filtered as Honda or Acura), System Failure Type, Number of Units Affected and Year.
The new dataframe is grouped by Year, and further filtered by System Failure Type to ignore entries that are either “Accessories” or “Label” (as I consider “Accessories” and “Label” to be trivial recall reasons).
require(tidyr)
## Loading required package: tidyr
require(dplyr)
require(ggplot2)
## Loading required package: ggplot2
quandf <- df %>% select(MAKE_NAME_NM, SYSTEM_TYPE_ETXT, UNIT_AFFECTED_NBR, YEAR) %>% group_by(YEAR) %>% filter(MAKE_NAME_NM %in% c("HONDA", "ACURA"), SYSTEM_TYPE_ETXT != "Accessories", SYSTEM_TYPE_ETXT != "Label")
ggplot() +
coord_cartesian() +
scale_x_continuous() +
scale_y_continuous() +
labs(title='Honda/Acura Recalls') +
labs(x="YEAR", y="UNITS AFFECTED") +
layer(data=quandf,
mapping=aes(x= as.numeric(as.character(YEAR)), y=as.numeric(as.character(UNIT_AFFECTED_NBR)), color=SYSTEM_TYPE_ETXT),
stat="identity",
stat_params=list(),
geom="point",
geom_params=list(),
position=position_jitter(width=0.3, height=0)
)
Comment:
The generated plot shows the number of Honda/Acura units recalled by each type of system failure over the years.
The interesting point here is the abnormally high number of units recalled due to Airbag problem/failure in the period 2000-2010. The number is staggering compared to other scattered recalls (more than 700,000 units each year compared to the norm of below 200,000 units for other types of recall), occupying a conspicuous horizontal line at the top of the graph.
In fact, I wonder whether this might correspond to the major Takata airbag recall by Honda. The airbags, made by major parts supplier Takata, were mostly installed in cars from model year 2002 through 2008.
My dataframe is limited to those recalls whose descriptions make reference to a child or children, and excludes manufacturers of Car Seats and Booster Seats (because they are products solely for children, and their recalls would overshadow the rate at which other manufacturers’ recalls were child-related)
This workflow looks at four variables within the aforementioned subset: Manufacturer, Number of Units Affected, Category, and Year (grouped by decade). It shows changes in frequency and scope of child-safety-related recalls across companies and time.
df %>% filter(grepl("[Cc]hild|CHILD", COMMENT_ETXT)) %>% filter(CATEGORY_ETXT != "Child Car Seat" & CATEGORY_ETXT != "Booster Seat") %>% filter(YEAR > 1900) %>% mutate(decade = ntile(YEAR,5)) %>% group_by(MAKE_NAME_NM, YEAR, UNIT_AFFECTED_NBR, CATEGORY_ETXT, decade) %>% ggplot(aes(x=MAKE_NAME_NM, y=UNIT_AFFECTED_NBR, color=CATEGORY_ETXT)) + geom_point() + theme(axis.text.x = element_text(angle = 90, hjust = 1)) + labs(title="Think Of The Children:\nRecalls Affecting Child Safety") + labs(x="Company(Child Seat Mfrs Excluded)", y="Scope of Recall (# Units Affected)") + facet_grid(~CATEGORY_ETXT~decade)
-For my visualization, I explored how some of the major systems failed amongst different types of vehicles. In particullar I studied the recalls due to brakes, engine, structure, and airbag failures vs the five major types of consumer vehicles on the road: cars, light trucks, medium/heavy trucks, SUVs, and motorcycles. This data was plotted over the years in order to see if any patterns emerge.
-Unfortunatly, the manufacturers were very lazy, and the data in the SYSTEM_ETXT col, which is supposed to describe which system in particular the recall was targetting (engine, brake, etc etc), was often unspecified. In order to get around this, I used the grepl function to do a keyword search through the comments of each recall, using keywords customized to each system that fail (brake failure comments often used the word “brake”, while structure failure comments never used the word “structure”).
-In order to do this, I created new dataframes that were subsets of the original filtered so that they only contained data of a particular system that failed. I then created a new col. in these datasets called SYS_FAIL that specified which particular system they had been filtered to (brakes, engine, structure, or airbags). I then used the set union function to tranform these four datasets to one, complete dataframe called dfsysfail, which was passed into ggplot.
require(tidyr)
require(dplyr)
require(ggplot2)
dfjames <- data.frame(fromJSON(getURL(URLencode('129.152.144.84:5001/rest/native/?query="select * from recalls;"'),httpheader=c(DB='jdbc:oracle:thin:@129.152.144.84:1521/PDBF15DV.usuniversi01134.oraclecloud.internal', USER='cs329e_jht585', PASS='orcl_jht585', MODE='native_mode', MODEL='model', returnDimensions = 'False', returnFor = 'JSON'), verbose = TRUE), ))
#create new datasets for each particular system failure to study. Use grepl to search for keywords in the comments col, and mutate to make new col that combines info from comments and system col.
dfbrake <- data.frame(dfjames %>% select(CATEGORY_ETXT, MAKE_NAME_NM, SYSTEM_TYPE_ETXT, YEAR, COMMENT_ETXT) %>% filter (CATEGORY_ETXT %in% c("Car", "Motorcycle", "SUV") | grepl("Truck", CATEGORY_ETXT),YEAR != -9999, SYSTEM_TYPE_ETXT == "Brake" | grepl("Brake", COMMENT_ETXT) | grepl("BRAKE", COMMENT_ETXT) | grepl("brake", COMMENT_ETXT) ) %>% mutate (SYS_FAIL = "brake"))
dfairbag <- data.frame(dfjames %>% select(CATEGORY_ETXT, MAKE_NAME_NM, SYSTEM_TYPE_ETXT, YEAR, COMMENT_ETXT) %>% filter (CATEGORY_ETXT %in% c("Car", "Motorcycle", "SUV") | grepl("Truck", CATEGORY_ETXT), YEAR != -9999, SYSTEM_TYPE_ETXT == "airbag" | grepl("airbag", COMMENT_ETXT) | grepl("air bag", COMMENT_ETXT) | grepl("AIRBAG", COMMENT_ETXT) | grepl("AIR BAG", COMMENT_ETXT) ) %>% mutate (SYS_FAIL = "airbag"))
dfstructure <- data.frame(dfjames %>% select(CATEGORY_ETXT, MAKE_NAME_NM, SYSTEM_TYPE_ETXT, YEAR, COMMENT_ETXT) %>% filter (CATEGORY_ETXT %in% c("Car", "Motorcycle", "SUV") | grepl("Truck", CATEGORY_ETXT),YEAR != -9999, SYSTEM_TYPE_ETXT == "Structure", SYSTEM_TYPE_ETXT != "Brake", SYSTEM_TYPE_ETXT != "Engine", SYSTEM_TYPE_ETXT != "Airbag"| grepl("fracture", COMMENT_ETXT) | grepl("weld", COMMENT_ETXT) | grepl("crack", COMMENT_ETXT) | grepl("CRACK", COMMENT_ETXT) | grepl("CLIPS", COMMENT_ETXT) | grepl("hood", COMMENT_ETXT) | grepl("HOOD", COMMENT_ETXT) | grepl("pin", COMMENT_ETXT) | grepl("PIN", COMMENT_ETXT) | grepl("frame", COMMENT_ETXT) | grepl("mount", COMMENT_ETXT) ) %>% mutate(SYS_FAIL = "structure"))
dfengine <- data.frame(dfjames %>% select(CATEGORY_ETXT, MAKE_NAME_NM, SYSTEM_TYPE_ETXT, YEAR, COMMENT_ETXT) %>% filter (CATEGORY_ETXT %in% c("Car", "Motorcycle", "SUV") | grepl("Truck", CATEGORY_ETXT),YEAR != -9999, SYSTEM_TYPE_ETXT == "engine" | grepl("ENGINE", COMMENT_ETXT) | grepl("cylinder", COMMENT_ETXT) | grepl("CYLINDER", COMMENT_ETXT)) %>% mutate (SYS_FAIL = "engine"))
#Use Union set operator to connect all into one dataframe
dfsysfail <- dplyr::union(dfengine, dfbrake)
dfsysfail <- dplyr::union(dfsysfail, dfairbag)
dfsysfail <- dplyr::union(dfsysfail, dfstructure)
View (dfsysfail)
#pass into ggplot
dfsysfail
## CATEGORY_ETXT MAKE_NAME_NM
## 1 Car INFINITI
## 2 Truck - Med. and H.D. FCCC
## 3 Car FORD
## 4 Truck - Med. and H.D. CHEVROLET
## 5 Truck - Med. and H.D. THOMAS BUILT
## 6 Car EAGLE
## 7 Truck - Med. and H.D. MACK
## 8 Car PLYMOUTH
## 9 Truck - Med. and H.D. STERLING
## 10 Car ASTON MARTIN
## 11 Car BMW
## 12 Truck - Med. and H.D. VOLVO
## 13 SUV RAM
## 14 Truck - Med. and H.D. INTERNATIONAL
## 15 Truck - Med. and H.D. GMC
## 16 Truck - Med. and H.D. VOLVO
## 17 Truck - Med. and H.D. INTERNATIONAL
## 18 Car VOLKSWAGEN
## 19 Truck - Med. and H.D. IHC
## 20 Truck - Med. and H.D. MACK
## 21 Truck - Med. and H.D. INTERNATIONAL
## 22 Truck - Med. and H.D. MACK
## 23 SUV CHEVROLET
## 24 Light Truck and Van CHEVROLET
## 25 SUV ACURA
## 26 Car NISSAN
## 27 Truck - Med. and H.D. FREIGHTLINER
## 28 Car DODGE
## 29 Car DODGE
## 30 Truck - Med. and H.D. MITSUBISHI FUSO
## 31 Car VOLKSWAGEN
## 32 SUV RAM
## 33 Truck - Med. and H.D. MACK
## 34 Truck - Med. and H.D. KALMAR
## 35 Motorcycle DUCATI
## 36 Car PLYMOUTH
## 37 Truck - Med. and H.D. INTERNATIONAL
## 38 Truck - Med. and H.D. ALTEC
## 39 Light Truck and Van CHEVROLET
## 40 Car CHEVROLET
## 41 Light Truck and Van ISUZU
## 42 Light Truck and Van ACURA
## 43 Light Truck and Van ISUZU
## 44 Truck - Med. and H.D. KENWORTH
## 45 Car CHEVROLET
## 46 Car CADILLAC
## 47 Truck - Med. and H.D. FREIGHTLINER
## 48 Truck - Med. and H.D. FREIGHTLINER
## 49 Light Truck and Van DODGE
## 50 Truck - Med. and H.D. HINO
## 51 Truck - Med. and H.D. VOLVO
## 52 Car CHEVROLET
## 53 Car CHEVROLET
## 54 Light Truck and Van GMC
## 55 Truck - Med. and H.D. CHEVROLET
## 56 Car BUICK
## 57 Truck - Med. and H.D. MACK
## 58 Car BENTLEY
## 59 Car BENTLEY
## 60 Truck - Med. and H.D. KENWORTH
## 61 Truck - Med. and H.D. ALTEC
## 62 Light Truck and Van FORD
## 63 SUV OLDSMOBILE
## 64 Car ROLLS-ROYCE
## 65 Motorcycle BMW
## 66 Car ROLLS-ROYCE
## 67 Car FORD
## 68 Car MERCURY
## 69 Light Truck and Van DODGE
## 70 Truck - Med. and H.D. INTERNATIONAL
## 71 Car OLDSMOBILE
## 72 Truck - Med. and H.D. MACK
## 73 Truck - Med. and H.D. GMC
## 74 Truck - Med. and H.D. FCCC
## 75 Car CHEVROLET
## 76 Truck - Med. and H.D. CHEVROLET
## 77 Truck - Med. and H.D. INTERNATIONAL
## 78 Motorcycle HARLEY-DAVIDSON
## 79 Car LEXUS
## 80 Truck - Med. and H.D. MITSUBISHI FUSO
## 81 Light Truck and Van FORD
## 82 Truck - Med. and H.D. PETERBILT
## 83 Truck - Med. and H.D. PIERCE
## 84 Car LEXUS
## 85 Truck - Med. and H.D. INTERNATIONAL
## 86 SUV VOLVO
## 87 Truck - Med. and H.D. VOLVO
## 88 Truck - Med. and H.D. STERLING
## 89 Car ROLLS-ROYCE
## 90 Light Truck and Van FORD
## 91 Truck - Med. and H.D. WHITE GMC
## 92 Car KIA
## 93 Car AUDI
## 94 Truck - Med. and H.D. VOLVO
## 95 Truck - Med. and H.D. KENWORTH
## 96 Car KIA
## 97 Light Truck and Van CHEVROLET
## 98 Car NISSAN
## 99 Light Truck and Van CHEVROLET
## 100 Light Truck and Van CHEVROLET
## 101 Car TOYOTA
## 102 Light Truck and Van FORD
## 103 Light Truck and Van DODGE
## 104 Car DODGE
## 105 Truck - Med. and H.D. KENWORTH
## 106 Truck - Med. and H.D. FREIGHTLINER
## 107 Light Truck and Van CHEVROLET
## 108 Truck - Med. and H.D. VOLVO
## 109 Motorcycle HARLEY-DAVIDSON
## 110 SUV NISSAN
## 111 Truck - Med. and H.D. CHEVROLET
## 112 SUV ACURA
## 113 Truck - Med. and H.D. INTERNATIONAL
## 114 Motorcycle HARLEY-DAVIDSON
## 115 Light Truck and Van DODGE
## 116 Light Truck and Van GMC
## 117 Car DODGE
## 118 SUV BMW
## 119 Car FORD
## 120 Car TOYOTA
## 121 Truck - Med. and H.D. FREIGHTLINER
## 122 Truck - Med. and H.D. MACK
## 123 Motorcycle KAWASAKI
## 124 Light Truck and Van TOYOTA
## 125 Car BUICK
## 126 Motorcycle KAWASAKI
## 127 Truck - Med. and H.D. MACK
## 128 Car JAGUAR
## 129 Car FORD
## 130 Car NISSAN
## 131 Car SATURN
## 132 Truck - Med. and H.D. INTERNATIONAL
## 133 Car SATURN
## 134 SUV DODGE
## 135 Car DODGE
## 136 Truck - Med. and H.D. INTERNATIONAL
## 137 Car MAZDA
## 138 SUV HYUNDAI
## 139 Light Truck and Van RAM
## 140 Car FORD
## 141 Car FORD
## 142 Truck - Med. and H.D. MACK
## 143 Truck - Med. and H.D. SPARTAN
## 144 Truck - Med. and H.D. ALTEC
## 145 Truck - Med. and H.D. PETERBILT
## 146 Motorcycle HARLEY-DAVIDSON
## 147 SUV HONDA
## 148 Light Truck and Van JEEP
## 149 Truck - Med. and H.D. MACK
## 150 Truck - Med. and H.D. INTERNATIONAL
## 151 SUV INFINITI
## 152 Car LINCOLN
## 153 Car TOYOTA
## 154 Car TOYOTA
## 155 Truck - Med. and H.D. ALTEC
## 156 Truck - Med. and H.D. FORD
## 157 Truck - Med. and H.D. IHC
## 158 Car ACURA
## 159 Car CADILLAC
## 160 Car VOLKSWAGEN
## 161 Car PONTIAC
## 162 SUV TOYOTA
## 163 Truck - Med. and H.D. HINO
## 164 Truck - Med. and H.D. INTERNATIONAL
## 165 Car AUDI
## 166 Light Truck and Van FORD
## 167 Truck - Med. and H.D. VOLVO
## 168 Motorcycle HARLEY-DAVIDSON
## 169 Car PONTIAC
## 170 Car PONTIAC
## 171 Truck - Med. and H.D. KENWORTH
## 172 Truck - Med. and H.D. INTERNATIONAL
## 173 Truck - Med. and H.D. ELGIN
## 174 SUV NISSAN
## 175 Truck - Med. and H.D. VOLVO
## 176 Car LINCOLN
## 177 SUV ISUZU
## 178 Car ACURA
## 179 Truck - Med. and H.D. MACK
## 180 Car CHEVROLET
## 181 Truck - Med. and H.D. FREIGHTLINER
## 182 Light Truck and Van DODGE
## 183 Car CADILLAC
## 184 Car MERCURY
## 185 Truck - Med. and H.D. VOLVO
## 186 Truck - Med. and H.D. FORD
## 187 Light Truck and Van GMC
## 188 Truck - Med. and H.D. FORD
## 189 Car BUICK
## 190 Car LINCOLN
## 191 Car SUBARU
## 192 Car PLYMOUTH
## 193 Light Truck and Van CHEVROLET
## 194 Truck - Med. and H.D. FORD
## 195 Truck - Med. and H.D. INTERNATIONAL
## 196 Car EAGLE
## 197 Truck - Med. and H.D. PREVOST
## 198 Car VOLKSWAGEN
## 199 Car VOLKSWAGEN
## 200 Truck - Med. and H.D. CHEVROLET
## 201 Car VOLKSWAGEN
## 202 Car OLDSMOBILE
## 203 Truck - Med. and H.D. MACK
## 204 Car FORD
## 205 Motorcycle KAWASAKI
## 206 Truck - Med. and H.D. FREIGHTLINER
## 207 Car SUBARU
## 208 Car TOYOTA
## 209 Car MERCURY
## 210 Car BMW
## 211 Truck - Med. and H.D. KENWORTH
## 212 Car BUICK
## 213 Truck - Med. and H.D. INTERNATIONAL
## 214 Light Truck and Van MERCURY
## 215 SUV BUICK
## 216 Truck - Med. and H.D. PETERBILT
## 217 Car DODGE
## 218 Truck - Med. and H.D. MACK
## 219 SUV CHEVROLET
## 220 SUV CHEVROLET
## 221 Car DODGE
## 222 Car JEEP
## 223 Truck - Med. and H.D. MACK
## 224 Car HYUNDAI
## 225 SUV KIA
## 226 Light Truck and Van PLYMOUTH
## 227 Truck - Med. and H.D. FORD
## 228 SUV JEEP
## 229 Car CHEVROLET
## 230 Light Truck and Van FORD
## 231 Car CHRYSLER
## 232 Truck - Med. and H.D. WHITE
## 233 Car LINCOLN
## 234 Truck - Med. and H.D. MACK
## 235 Motorcycle BMW
## 236 Truck - Med. and H.D. INTERNATIONAL
## 237 Car FORD
## 238 Truck - Med. and H.D. CATERPILLAR
## 239 Motorcycle KAWASAKI
## 240 Truck - Med. and H.D. IHC
## 241 Car BMW
## 242 Car AUDI
## 243 Car CHEVROLET
## 244 Light Truck and Van JEEP
## 245 Truck - Med. and H.D. FREIGHTLINER
## 246 Truck - Med. and H.D. ELGIN
## 247 Truck - Med. and H.D. INTERNATIONAL
## 248 Truck - Med. and H.D. INTERNATIONAL
## 249 Car BUICK
## 250 Light Truck and Van FORD
## 251 Truck - Med. and H.D. FORD
## 252 Truck - Med. and H.D. FREIGHTLINER
## 253 Truck - Med. and H.D. KENWORTH
## 254 Truck - Med. and H.D. MACK
## 255 Car CHEVROLET
## 256 Truck - Med. and H.D. MACK
## 257 Motorcycle YAMAHA
## 258 SUV DODGE
## 259 Truck - Med. and H.D. MACK
## 260 Truck - Med. and H.D. WESTERN STAR
## 261 Car OLDSMOBILE
## 262 Car CHRYSLER
## 263 Light Truck and Van VOLKSWAGEN
## 264 Car CADILLAC
## 265 Truck - Med. and H.D. INTERNATIONAL
## 266 Motorcycle DUCATI
## 267 Car BUICK
## 268 Truck - Med. and H.D. MACK
## 269 Truck - Med. and H.D. STERLING
## 270 Truck - Med. and H.D. PETERBILT
## 271 Car CHEVROLET
## 272 Light Truck and Van MERCEDES-BENZ
## 273 Car TOYOTA
## 274 Motorcycle DUCATI
## 275 Truck - Med. and H.D. PETERBILT
## 276 SUV FORD
## 277 SUV FORD
## 278 Car NISSAN
## 279 Car ACURA
## 280 Car FORD
## 281 Car ACURA
## 282 Truck - Med. and H.D. PETERBILT
## 283 Car OLDSMOBILE
## 284 Car MERCEDES-BENZ
## 285 Motorcycle HARLEY-DAVIDSON
## 286 Truck - Med. and H.D. KENWORTH
## 287 Car PONTIAC
## 288 Light Truck and Van DODGE
## 289 Light Truck and Van VOLKSWAGEN
## 290 Light Truck and Van DODGE
## 291 Truck - Med. and H.D. IHC
## 292 Truck - Med. and H.D. WHITE GMC
## 293 Truck - Med. and H.D. FCCC
## 294 Truck - Med. and H.D. HINO
## 295 Light Truck and Van PONTIAC
## 296 Car OLDSMOBILE
## 297 Light Truck and Van PONTIAC
## 298 Motorcycle HONDA
## 299 Truck - Med. and H.D. STERLING
## 300 Light Truck and Van FORD
## 301 Light Truck and Van FORD
## 302 Truck - Med. and H.D. KENWORTH
## 303 Truck - Med. and H.D. MERCEDES-BENZ
## 304 Truck - Med. and H.D. KENWORTH
## 305 Light Truck and Van DODGE
## 306 Car FORD
## 307 Car OLDSMOBILE
## 308 Car OLDSMOBILE
## 309 Truck - Med. and H.D. GMC
## 310 Car LEXUS
## 311 Car DODGE
## 312 SUV GMC
## 313 Car PLYMOUTH
## 314 Truck - Med. and H.D. TEREX
## 315 Truck - Med. and H.D. FORD
## 316 Car MERCURY
## 317 Car NISSAN
## 318 Truck - Med. and H.D. PETERBILT
## 319 SUV LINCOLN
## 320 Truck - Med. and H.D. IHC
## 321 Truck - Med. and H.D. MACK
## 322 Truck - Med. and H.D. IHC
## 323 SUV KIA
## 324 Car ROLLS-ROYCE
## 325 Car KIA
## 326 Motorcycle DUCATI
## 327 Car ROLLS-ROYCE
## 328 Car MERCEDES-BENZ
## 329 Light Truck and Van CHEVROLET
## 330 Truck - Med. and H.D. IHC
## 331 Light Truck and Van PONTIAC
## 332 Truck - Med. and H.D. FORD
## 333 Truck - Med. and H.D. MACK
## 334 Car CADILLAC
## 335 Car CADILLAC
## 336 Truck - Med. and H.D. FERRARA
## 337 Car DODGE
## 338 Light Truck and Van JEEP
## 339 Car CHEVROLET
## 340 Car CHEVROLET
## 341 Motorcycle VICTORY
## 342 Car CHEVROLET
## 343 Truck - Med. and H.D. FORD
## 344 Light Truck and Van DODGE
## 345 Truck - Med. and H.D. INTERNATIONAL
## 346 Truck - Med. and H.D. KENWORTH
## 347 SUV LEXUS
## 348 Motorcycle SUZUKI
## 349 Car BUICK
## 350 SUV LEXUS
## 351 Car VOLKSWAGEN
## 352 Light Truck and Van GMC
## 353 Car BUICK
## 354 Truck - Med. and H.D. VOLVO
## 355 Light Truck and Van FORD
## 356 Truck - Med. and H.D. KENWORTH
## 357 Car PLYMOUTH
## 358 Motorcycle HARLEY-DAVIDSON
## 359 Truck - Med. and H.D. AUTOCAR
## 360 Car PLYMOUTH
## 361 Light Truck and Van FORD
## 362 Truck - Med. and H.D. VOLVO
## 363 Truck - Med. and H.D. CHEVROLET
## 364 Car PONTIAC
## 365 Truck - Med. and H.D. IHC
## 366 Car BENTLEY
## 367 Truck - Med. and H.D. IHC
## 368 Light Truck and Van DODGE
## 369 Car TOYOTA
## 370 Truck - Med. and H.D. AUTOCAR
## 371 Motorcycle SUZUKI
## 372 Truck - Med. and H.D. INTERNATIONAL
## 373 Truck - Med. and H.D. VOLVO
## 374 SUV ACURA
## 375 Truck - Med. and H.D. FREIGHTLINER
## 376 Truck - Med. and H.D. FREIGHTLINER
## 377 Car INFINITI
## 378 Car CHEVROLET
## 379 Truck - Med. and H.D. STERLING
## 380 Truck - Med. and H.D. KALMAR
## 381 Car CHEVROLET
## 382 Car CHEVROLET
## 383 Car MERCURY
## 384 Car OLDSMOBILE
## 385 Car DODGE
## 386 Motorcycle HARLEY-DAVIDSON
## 387 Truck - Med. and H.D. PETERBILT
## 388 Car PONTIAC
## 389 Car VOLVO
## 390 Truck - Med. and H.D. INTERNATIONAL
## 391 SUV JEEP
## 392 Truck - Med. and H.D. MACK
## 393 Car CADILLAC
## 394 Car BUICK
## 395 Car SUBARU
## 396 Car HONDA
## 397 Light Truck and Van FORD
## 398 Light Truck and Van FORD
## 399 Car DODGE
## 400 Truck - Med. and H.D. HINO
## 401 Truck - Med. and H.D. KENWORTH
## 402 Car FERRARI
## 403 Car TRIUMPH
## 404 Car CHEVROLET
## 405 Car NISSAN
## 406 Truck - Med. and H.D. WESTERN STAR
## 407 Truck - Med. and H.D. INTERNATIONAL
## 408 Truck - Med. and H.D. PIERCE
## 409 Motorcycle KAWASAKI
## 410 Truck - Med. and H.D. INTERNATIONAL
## 411 Truck - Med. and H.D. IHC
## 412 Truck - Med. and H.D. IHC
## 413 SUV TOYOTA
## 414 Truck - Med. and H.D. WESTERN STAR
## 415 Car HYUNDAI
## 416 SUV CHRYSLER
## 417 Truck - Med. and H.D. INTERNATIONAL
## 418 Truck - Med. and H.D. CHEVROLET
## 419 Truck - Med. and H.D. FORD
## 420 Car VOLVO
## 421 Truck - Med. and H.D. VOLVO
## 422 SUV LINCOLN
## 423 Car AUDI
## 424 SUV LINCOLN
## 425 SUV TOYOTA
## 426 Truck - Med. and H.D. PIERCE
## 427 Truck - Med. and H.D. HINO
## 428 Truck - Med. and H.D. INTERNATIONAL
## 429 Light Truck and Van FORD
## 430 Light Truck and Van LEXUS
## 431 Car MINI
## 432 Truck - Med. and H.D. HINO
## 433 Car PONTIAC
## 434 Car HYUNDAI
## 435 Car SUZUKI
## 436 Car VOLKSWAGEN
## 437 Car FORD
## 438 Truck - Med. and H.D. FORD
## 439 Motorcycle ZERO
## 440 Car OLDSMOBILE
## 441 Truck - Med. and H.D. MACK
## 442 Light Truck and Van TOYOTA
## 443 Motorcycle DUCATI
## 444 Light Truck and Van DODGE
## 445 Car VOLKSWAGEN
## 446 Light Truck and Van LEXUS
## 447 Car MERCURY
## 448 Truck - Med. and H.D. MACK
## 449 Car HONDA
## 450 Light Truck and Van GMC
## 451 Light Truck and Van DODGE
## 452 Light Truck and Van CHEVROLET
## 453 Car CHEVROLET
## 454 Truck - Med. and H.D. VOLVO
## 455 Car TOYOTA
## 456 Car FORD
## 457 Truck - Med. and H.D. FREIGHTLINER
## 458 Truck - Med. and H.D. INTERNATIONAL
## 459 Car VOLVO
## 460 Car VOLVO
## 461 Car MERCURY
## 462 SUV LAND ROVER
## 463 Truck - Med. and H.D. MACK
## 464 Truck - Med. and H.D. FREIGHTLINER
## 465 Truck - Med. and H.D. E-ONE
## 466 SUV HONDA
## 467 Car ACURA
## 468 Truck - Med. and H.D. FORD
## 469 Light Truck and Van FORD
## 470 Truck - Med. and H.D. FREIGHTLINER
## 471 Car BMW
## 472 Light Truck and Van CHEVROLET
## 473 SUV FIAT
## 474 Light Truck and Van EAGLE
## 475 Truck - Med. and H.D. SPARTAN
## 476 Truck - Med. and H.D. MACK
## 477 Car CHEVROLET
## 478 Car CHEVROLET
## 479 Truck - Med. and H.D. KALMAR
## 480 Light Truck and Van CHEVROLET
## 481 Light Truck and Van RAM
## 482 Truck - Med. and H.D. WESTERN STAR
## 483 Truck - Med. and H.D. MACK
## 484 Car CHEVROLET
## 485 Truck - Med. and H.D. MACK
## 486 Car CHEVROLET
## 487 Truck - Med. and H.D. MACK
## 488 Light Truck and Van CHEVROLET
## 489 SUV GMC
## 490 Car BUICK
## 491 Car BENTLEY
## 492 Truck - Med. and H.D. CHEVROLET
## 493 Car BENTLEY
## 494 Car NISSAN
## 495 Car CHEVROLET
## 496 Car CADILLAC
## 497 Car CADILLAC
## 498 Truck - Med. and H.D. INTERNATIONAL
## 499 Truck - Med. and H.D. GMC
## 500 Truck - Med. and H.D. FORD
## 501 Car VOLKSWAGEN
## 502 Light Truck and Van FORD
## 503 Light Truck and Van CHRYSLER
## 504 Car NISSAN
## 505 Light Truck and Van PLYMOUTH
## 506 Light Truck and Van CHRYSLER
## 507 Truck - Med. and H.D. INTERNATIONAL
## 508 Motorcycle KAWASAKI
## 509 Car HYUNDAI
## 510 Light Truck and Van DODGE
## 511 Truck - Med. and H.D. FREIGHTLINER
## 512 Light Truck and Van DODGE
## 513 Truck - Med. and H.D. FREIGHTLINER
## 514 Truck - Med. and H.D. FREIGHTLINER
## 515 Car DODGE
## 516 Car PONTIAC
## 517 Car CHEVROLET
## 518 Truck - Med. and H.D. IHC
## 519 Truck - Med. and H.D. IHC
## 520 Truck - Med. and H.D. INTERNATIONAL
## 521 Car ACURA
## 522 Truck - Med. and H.D. IHC
## 523 Light Truck and Van GMC
## 524 Truck - Med. and H.D. IHC
## 525 Car AMC
## 526 Truck - Med. and H.D. PETERBILT
## 527 Car VOLKSWAGEN
## 528 SUV CHRYSLER
## 529 SUV DODGE
## 530 Car VOLKSWAGEN
## 531 Truck - Med. and H.D. INTERNATIONAL
## 532 Truck - Med. and H.D. INTERNATIONAL
## 533 Truck - Med. and H.D. WHITE GMC
## 534 Car MAZDA
## 535 Car DODGE
## 536 Truck - Med. and H.D. MACK
## 537 Truck - Med. and H.D. MACK
## 538 Car MERCURY
## 539 Car TOYOTA
## 540 Car AUSTIN
## 541 Car BMW
## 542 Car CHEVROLET
## 543 Car CHEVROLET
## 544 Truck - Med. and H.D. FREIGHTLINER
## 545 Truck - Med. and H.D. INTERNATIONAL
## 546 SUV HONDA
## 547 Light Truck and Van CHEVROLET
## 548 Truck - Med. and H.D. FORD
## 549 Car VOLKSWAGEN
## 550 Truck - Med. and H.D. WESTERN STAR
## 551 Car CADILLAC
## 552 SUV OLDSMOBILE
## 553 Light Truck and Van DODGE
## 554 Car DODGE
## 555 Car HONDA
## 556 Truck - Med. and H.D. FREIGHTLINER
## 557 Truck - Med. and H.D. FREIGHTLINER
## 558 Motorcycle BIG BEAR
## 559 Truck - Med. and H.D. INTERNATIONAL
## 560 Truck - Med. and H.D. INTERNATIONAL
## 561 Truck - Med. and H.D. INTERNATIONAL
## 562 Car AUDI
## 563 Light Truck and Van FORD
## 564 Car INFINITI
## 565 Light Truck and Van FORD
## 566 Truck - Med. and H.D. ELGIN
## 567 Truck - Med. and H.D. CHEVROLET
## 568 Truck - Med. and H.D. WHITE GMC
## 569 Truck - Med. and H.D. FORD
## 570 Truck - Med. and H.D. CHEVROLET
## 571 Motorcycle HARLEY-DAVIDSON
## 572 Motorcycle HARLEY-DAVIDSON
## 573 Light Truck and Van FORD
## 574 Car DODGE
## 575 Truck - Med. and H.D. IHC
## 576 Car FORD
## 577 Truck - Med. and H.D. FREIGHTLINER
## 578 Car OLDSMOBILE
## 579 SUV NISSAN
## 580 Motorcycle TRIUMPH
## 581 Truck - Med. and H.D. WHITE GMC
## 582 Car TOYOTA
## 583 Motorcycle DUCATI
## 584 Truck - Med. and H.D. VACTOR
## 585 Truck - Med. and H.D. VACTOR
## 586 Light Truck and Van CHEVROLET
## 587 Truck - Med. and H.D. MACK
## 588 Light Truck and Van CHEVROLET
## 589 Truck - Med. and H.D. FREIGHTLINER
## 590 Car TOYOTA
## 591 Car TOYOTA
## 592 Motorcycle HARLEY-DAVIDSON
## 593 Car CHEVROLET
## 594 Light Truck and Van INFINITI
## 595 Truck - Med. and H.D. FREIGHTLINER
## 596 Truck - Med. and H.D. MACK
## 597 SUV TOYOTA
## 598 Truck - Med. and H.D. INTERNATIONAL
## 599 Truck - Med. and H.D. INTERNATIONAL
## 600 Car DODGE
## 601 Light Truck and Van ACURA
## 602 SUV BMW
## 603 Car MERCEDES-BENZ
## 604 Car PONTIAC
## 605 Truck - Med. and H.D. MACK
## 606 Truck - Med. and H.D. INTERNATIONAL
## 607 Truck - Med. and H.D. KENWORTH
## 608 Truck - Med. and H.D. E-ONE
## 609 Car VOLVO
## 610 Car BMW
## 611 Car TOYOTA
## 612 Car BMW
## 613 Car FORD
## 614 Truck - Med. and H.D. CHEVROLET
## 615 Truck - Med. and H.D. WHITE GMC
## 616 Motorcycle INDIAN
## 617 Car BUICK
## 618 Car BUICK
## 619 Truck - Med. and H.D. OSHKOSH
## 620 Car BMW
## 621 Truck - Med. and H.D. IHC
## 622 Truck - Med. and H.D. IHC
## 623 Car DODGE
## 624 Car DODGE
## 625 Truck - Med. and H.D. GMC
## 626 Car SATURN
## 627 SUV LAND ROVER
## 628 Truck - Med. and H.D. IHC
## 629 Car CHEVROLET
## 630 Truck - Med. and H.D. MACK
## 631 Truck - Med. and H.D. VOLVO
## 632 Light Truck and Van FORD
## 633 Motorcycle DUCATI
## 634 Truck - Med. and H.D. INTERNATIONAL
## 635 Light Truck and Van DODGE
## 636 Car CHEVROLET
## 637 Car LADA
## 638 Truck - Med. and H.D. INTERNATIONAL
## 639 Car FORD
## 640 SUV DODGE
## 641 Car LEXUS
## 642 Light Truck and Van FORD
## 643 Truck - Med. and H.D. MACK
## 644 Truck - Med. and H.D. VACTOR
## 645 Truck - Med. and H.D. WHITE GMC
## 646 Car FERRARI
## 647 Light Truck and Van GMC
## 648 Motorcycle BMW
## 649 Car VOLKSWAGEN
## 650 Truck - Med. and H.D. WHITE GMC
## 651 Car VOLKSWAGEN
## 652 Car VOLKSWAGEN
## 653 Truck - Med. and H.D. GMC
## 654 Car TOYOTA
## 655 Truck - Med. and H.D. FREIGHTLINER
## 656 Car FORD
## 657 Light Truck and Van CHEVROLET
## 658 Truck - Med. and H.D. WHITE GMC
## 659 SUV JEEP
## 660 Light Truck and Van FORD
## 661 Car BUICK
## 662 Car VOLKSWAGEN
## 663 Car RAM
## 664 Motorcycle BMW
## 665 SUV ISUZU
## 666 Truck - Med. and H.D. STERLING
## 667 Truck - Med. and H.D. VOLVO
## 668 Car OLDSMOBILE
## 669 Car SATURN
## 670 Car DODGE
## 671 Car SATURN
## 672 Motorcycle BUELL
## 673 SUV GMC
## 674 Truck - Med. and H.D. STERLING
## 675 Car BENTLEY
## 676 Truck - Med. and H.D. GMC
## 677 Light Truck and Van CHEVROLET
## 678 Light Truck and Van TOYOTA
## 679 Car RAM
## 680 Car FORD
## 681 Light Truck and Van RAM
## 682 Car BUICK
## 683 Car BUICK
## 684 Car ROLLS-ROYCE
## 685 Car ROLLS-ROYCE
## 686 Car BUICK
## 687 Motorcycle HARLEY-DAVIDSON
## 688 Truck - Med. and H.D. PETERBILT
## 689 Truck - Med. and H.D. PETERBILT
## 690 Car BMW
## 691 Car BENTLEY
## 692 Motorcycle KTM
## 693 Car INFINITI
## 694 Truck - Med. and H.D. FORD
## 695 Truck - Med. and H.D. MACK
## 696 Light Truck and Van FORD
## 697 Truck - Med. and H.D. VOLVO
## 698 Car CHEVROLET
## 699 Car OLDSMOBILE
## 700 SUV CADILLAC
## 701 Car PONTIAC
## 702 SUV JEEP
## 703 Car BUICK
## 704 Truck - Med. and H.D. PIERREVILLE
## 705 Truck - Med. and H.D. PIERREVILLE
## 706 Light Truck and Van CHEVROLET
## 707 Car BMW
## 708 Truck - Med. and H.D. VOLVO
## 709 Car CHEVROLET
## 710 Truck - Med. and H.D. KENWORTH
## 711 SUV CADILLAC
## 712 SUV CADILLAC
## 713 Car BENTLEY
## 714 Motorcycle DUCATI
## 715 Car FORD
## 716 Car MERCURY
## 717 SUV NISSAN
## 718 Truck - Med. and H.D. WHITE GMC
## 719 Car CHEVROLET
## 720 Car MERCURY
## 721 Car PONTIAC
## 722 SUV DODGE
## 723 Truck - Med. and H.D. VOLVO
## 724 Car PORSCHE
## 725 Car RENAULT
## 726 Light Truck and Van DODGE
## 727 Car ROLLS-ROYCE
## 728 Car ROLLS-ROYCE
## 729 Light Truck and Van CHEVROLET
## 730 Truck - Med. and H.D. CHEVROLET
## 731 Car BUICK
## 732 Light Truck and Van CHEVROLET
## 733 Truck - Med. and H.D. FREIGHTLINER
## 734 Car PLYMOUTH
## 735 Truck - Med. and H.D. AUTOCAR
## 736 Motorcycle BUELL
## 737 Light Truck and Van CHEVROLET
## 738 Car VOLKSWAGEN
## 739 Car AUDI
## 740 Car LEXUS
## 741 Truck - Med. and H.D. AUTOCAR
## 742 Truck - Med. and H.D. INTERNATIONAL
## 743 Car AUDI
## 744 Light Truck and Van DODGE
## 745 SUV GMC
## 746 Truck - Med. and H.D. KENWORTH
## 747 SUV TOYOTA
## 748 Car PLYMOUTH
## 749 Light Truck and Van FORD
## 750 Light Truck and Van DODGE
## 751 Light Truck and Van TOYOTA
## 752 Truck - Med. and H.D. CATERPILLAR
## 753 Car DODGE
## 754 Car ACURA
## 755 Car HONDA
## 756 Truck - Med. and H.D. INTERNATIONAL
## 757 Light Truck and Van JEEP
## 758 Car MERCURY
## 759 Light Truck and Van DODGE
## 760 Truck - Med. and H.D. CHEVROLET
## 761 Motorcycle BUELL
## 762 Car CHEVROLET
## 763 Car NISSAN
## 764 Light Truck and Van CHEVROLET
## 765 Car MERCURY
## 766 Car RAM
## 767 SUV VOLVO
## 768 Car PONTIAC
## 769 SUV CHEVROLET
## 770 Light Truck and Van NISSAN
## 771 Light Truck and Van PONTIAC
## 772 SUV MERCEDES-BENZ
## 773 Car HYUNDAI
## 774 Truck - Med. and H.D. MACK
## 775 Car MITSUBISHI
## 776 Motorcycle HARLEY-DAVIDSON
## 777 Motorcycle HARLEY-DAVIDSON
## 778 Truck - Med. and H.D. FREIGHTLINER
## 779 Car DODGE
## 780 Car JAGUAR
## 781 Car FORD
## 782 Car CHRYSLER
## 783 Car OLDSMOBILE
## 784 Light Truck and Van TOYOTA
## 785 Light Truck and Van HONDA
## 786 Light Truck and Van TOYOTA
## 787 Car CHEVROLET
## 788 Car PONTIAC
## 789 Car LINCOLN
## 790 Car DODGE
## 791 SUV NISSAN
## 792 Truck - Med. and H.D. VOLVO
## 793 Car FORD
## 794 Car CHEVROLET
## 795 SUV INFINITI
## 796 Car VOLKSWAGEN
## 797 Motorcycle KAWASAKI
## 798 Truck - Med. and H.D. MACK
## 799 Truck - Med. and H.D. HINO
## 800 Truck - Med. and H.D. INTERNATIONAL
## 801 Motorcycle YAMAHA
## 802 Truck - Med. and H.D. MACK
## 803 SUV PONTIAC
## 804 Truck - Med. and H.D. HINO
## 805 Truck - Med. and H.D. MACK
## 806 SUV NISSAN
## 807 Truck - Med. and H.D. WHITE GMC
## 808 Car MERCEDES-BENZ
## 809 SUV KIA
## 810 Car MERCEDES-BENZ
## 811 Light Truck and Van CHEVROLET
## 812 Car FIAT
## 813 Truck - Med. and H.D. VOLVO
## 814 Truck - Med. and H.D. AUTOCAR
## 815 Truck - Med. and H.D. IHC
## 816 Motorcycle TRIUMPH
## 817 SUV JEEP
## 818 Car RAM
## 819 Car MERCEDES-BENZ
## 820 Light Truck and Van CHEVROLET
## 821 Car BUICK
## 822 Truck - Med. and H.D. FORD
## 823 Light Truck and Van CHEVROLET
## 824 Car CHRYSLER
## 825 Light Truck and Van GMC
## 826 Car CHRYSLER
## 827 Truck - Med. and H.D. INTERNATIONAL
## 828 Car TRIUMPH
## 829 Car TOYOTA
## 830 Light Truck and Van CHEVROLET
## 831 Truck - Med. and H.D. MACK
## 832 Car VOLKSWAGEN
## 833 Car VOLKSWAGEN
## 834 Car ROLLS-ROYCE
## 835 Light Truck and Van FORD
## 836 Car ROLLS-ROYCE
## 837 Light Truck and Van OLDSMOBILE
## 838 Car TOYOTA
## 839 Car PLYMOUTH
## 840 Motorcycle DUCATI
## 841 Light Truck and Van GMC
## 842 Truck - Med. and H.D. INTERNATIONAL
## 843 SUV FORD
## 844 Car MERCEDES-BENZ
## 845 Truck - Med. and H.D. WHITE
## 846 SUV JEEP
## 847 Motorcycle BMW
## 848 Truck - Med. and H.D. IHC
## 849 Truck - Med. and H.D. IHC
## 850 Light Truck and Van GMC
## 851 Truck - Med. and H.D. INTERNATIONAL
## 852 Car EAGLE
## 853 Truck - Med. and H.D. MACK
## 854 Car DODGE
## 855 Truck - Med. and H.D. FREIGHTLINER
## 856 Truck - Med. and H.D. AMERICAN LAFRANCE
## 857 Truck - Med. and H.D. SPARTAN
## 858 Truck - Med. and H.D. INTERNATIONAL
## 859 Truck - Med. and H.D. MITSUBISHI FUSO
## 860 Car ROLLS-ROYCE
## 861 Car CHRYSLER
## 862 SUV JEEP
## 863 Truck - Med. and H.D. MACK
## 864 Motorcycle BMW
## 865 Car HONDA
## 866 Truck - Med. and H.D. WHITE GMC
## 867 Car OLDSMOBILE
## 868 Truck - Med. and H.D. THOMAS BUILT
## 869 Car FORD
## 870 Car VOLKSWAGEN
## 871 Truck - Med. and H.D. KENWORTH
## 872 Truck - Med. and H.D. KENWORTH
## 873 Car CADILLAC
## 874 Car LINCOLN
## 875 Car HYUNDAI
## 876 Car BMW
## 877 Motorcycle HONDA
## 878 Car ROLLS-ROYCE
## 879 Car BMW
## 880 Light Truck and Van TOYOTA
## 881 Car BMW
## 882 Motorcycle TRIUMPH
## 883 Car CHEVROLET
## 884 SUV JEEP
## 885 Car SUBARU
## 886 Truck - Med. and H.D. AMERICAN LAFRANCE
## 887 Motorcycle BMW
## 888 Truck - Med. and H.D. FREIGHTLINER
## 889 SUV LEXUS
## 890 Truck - Med. and H.D. UNIMOG
## 891 Car DAEWOO
## 892 Motorcycle HONDA
## 893 Truck - Med. and H.D. KENWORTH
## 894 Motorcycle HONDA
## 895 Truck - Med. and H.D. VACTOR
## 896 Truck - Med. and H.D. FREIGHTLINER
## 897 Car CHRYSLER
## 898 Light Truck and Van DODGE
## 899 Truck - Med. and H.D. INTERNATIONAL
## 900 Car BENTLEY
## 901 Car HONDA
## 902 Truck - Med. and H.D. WESTERN STAR
## 903 Truck - Med. and H.D. INTERNATIONAL
## 904 Truck - Med. and H.D. WHITE GMC
## 905 Motorcycle BMW
## 906 Car VOLKSWAGEN
## 907 Truck - Med. and H.D. PETERBILT
## 908 Light Truck and Van LEXUS
## 909 Car ACURA
## 910 Truck - Med. and H.D. FREIGHTLINER
## 911 Truck - Med. and H.D. WHITE GMC
## 912 Truck - Med. and H.D. GMC
## 913 Light Truck and Van FORD
## 914 Car CHEVROLET
## 915 Car VOLKSWAGEN
## 916 Truck - Med. and H.D. WHITE GMC
## 917 Car FERRARI
## 918 Truck - Med. and H.D. INTERNATIONAL
## 919 Truck - Med. and H.D. INTERNATIONAL
## 920 Truck - Med. and H.D. INTERNATIONAL
## 921 Car BUICK
## 922 Car MAZDA
## 923 Car FORD
## 924 Car CHRYSLER
## 925 Truck - Med. and H.D. INTERNATIONAL
## 926 Car ROLLS-ROYCE
## 927 Truck - Med. and H.D. KENWORTH
## 928 Truck - Med. and H.D. FREIGHTLINER
## 929 Car MERCEDES-BENZ
## 930 Truck - Med. and H.D. MACK
## 931 Car BMW
## 932 Truck - Med. and H.D. GMC
## 933 Truck - Med. and H.D. MACK
## 934 Truck - Med. and H.D. WHITE GMC
## 935 Motorcycle BMW
## 936 Car MINI
## 937 Light Truck and Van UNION CITY BODY COMPANY
## 938 Car PONTIAC
## 939 Car PONTIAC
## 940 Truck - Med. and H.D. PETERBILT
## 941 Car BUICK
## 942 Car BUICK
## 943 Truck - Med. and H.D. FORD
## 944 Car PLYMOUTH
## 945 Truck - Med. and H.D. FORD
## 946 Car LINCOLN
## 947 Car DODGE
## 948 Car DODGE
## 949 Car DODGE
## 950 Truck - Med. and H.D. INTERNATIONAL
## 951 SUV TOYOTA
## 952 SUV JEEP
## 953 Truck - Med. and H.D. INTERNATIONAL
## 954 SUV TOYOTA
## 955 SUV HYUNDAI
## 956 SUV TOYOTA
## 957 Car CADILLAC
## 958 Truck - Med. and H.D. VOLVO
## 959 Truck - Med. and H.D. FREIGHTLINER
## 960 Motorcycle DUCATI
## 961 Car CADILLAC
## 962 Truck - Med. and H.D. CHEVROLET
## 963 Light Truck and Van GMC
## 964 SUV GMC
## 965 Car CHRYSLER
## 966 Motorcycle BMW
## 967 Car OLDSMOBILE
## 968 Car VOLKSWAGEN
## 969 Car TOYOTA
## 970 Motorcycle BMW
## 971 Car OLDSMOBILE
## 972 Car AUDI
## 973 Car FORD
## 974 Car MITSUBISHI
## 975 SUV LAND ROVER
## 976 Truck - Med. and H.D. FREIGHTLINER
## 977 Car CADILLAC
## 978 Truck - Med. and H.D. PIERCE
## 979 Truck - Med. and H.D. PIERCE
## 980 Truck - Med. and H.D. WESTERN STAR
## 981 Truck - Med. and H.D. MACK
## 982 Light Truck and Van JEEP
## 983 Truck - Med. and H.D. MACK
## 984 Motorcycle HARLEY-DAVIDSON
## 985 Car VOLKSWAGEN
## 986 Car KIA
## 987 SUV BMW
## 988 Motorcycle BMW
## 989 Truck - Med. and H.D. SPARTAN
## 990 Car FORD
## 991 Car KIA
## 992 Car FORD
## 993 Car LAMBORGHINI
## 994 Light Truck and Van TOYOTA
## 995 Truck - Med. and H.D. INTERNATIONAL
## 996 Light Truck and Van LEXUS
## 997 Car SAAB
## 998 Light Truck and Van JEEP
## 999 Car HYUNDAI
## 1000 SUV HONDA
## 1001 Car OLDSMOBILE
## 1002 Car CHEVROLET
## 1003 SUV DODGE
## 1004 SUV LEXUS
## 1005 SUV DODGE
## 1006 SUV HYUNDAI
## 1007 Truck - Med. and H.D. VOLVO
## 1008 Truck - Med. and H.D. CHEVROLET
## 1009 Truck - Med. and H.D. GMC
## 1010 Truck - Med. and H.D. GMC
## 1011 Light Truck and Van DODGE
## 1012 Light Truck and Van ISUZU
## 1013 Light Truck and Van DODGE
## 1014 Light Truck and Van FORD
## 1015 Car FORD
## 1016 Car MERCURY
## 1017 Light Truck and Van ISUZU
## 1018 Truck - Med. and H.D. FREIGHTLINER
## 1019 Truck - Med. and H.D. ALTEC
## 1020 Truck - Med. and H.D. INTERNATIONAL
## 1021 Car FORD
## 1022 Car CHEVROLET
## 1023 Truck - Med. and H.D. CHEVROLET
## 1024 Car HONDA
## 1025 Truck - Med. and H.D. CHEVROLET
## 1026 Light Truck and Van JEEP
## 1027 Car RENAULT
## 1028 Truck - Med. and H.D. IHC
## 1029 Car HYUNDAI
## 1030 Car BMW
## 1031 Light Truck and Van DODGE
## 1032 Truck - Med. and H.D. WHITE GMC
## 1033 Car ROLLS-ROYCE
## 1034 Truck - Med. and H.D. FREIGHTLINER
## 1035 Car PLYMOUTH
## 1036 Car ROLLS-ROYCE
## 1037 Truck - Med. and H.D. PETERBILT
## 1038 Truck - Med. and H.D. MACK
## 1039 Light Truck and Van PLYMOUTH
## 1040 Car CADILLAC
## 1041 Car MITSUBISHI
## 1042 Car BUICK
## 1043 SUV VOLKSWAGEN
## 1044 Car HONDA
## 1045 SUV CHRYSLER
## 1046 Light Truck and Van DODGE
## 1047 SUV TOYOTA
## 1048 SUV HYUNDAI
## 1049 Car LADA
## 1050 Car HONDA
## 1051 Motorcycle SUZUKI
## 1052 Motorcycle SUZUKI
## 1053 Car BENTLEY
## 1054 Car FORD
## 1055 Motorcycle HARLEY-DAVIDSON
## 1056 Truck - Med. and H.D. INTERNATIONAL
## 1057 Car BUICK
## 1058 Truck - Med. and H.D. IHC
## 1059 Truck - Med. and H.D. STERLING
## 1060 Car JAGUAR
## 1061 Car BUICK
## 1062 Car HONDA
## 1063 Truck - Med. and H.D. KENWORTH
## 1064 Car TOYOTA
## 1065 Car OLDSMOBILE
## 1066 Car CHEVROLET
## 1067 Truck - Med. and H.D. MACK
## 1068 Light Truck and Van FORD
## 1069 Motorcycle BMW
## 1070 Light Truck and Van FORD
## 1071 Truck - Med. and H.D. INTERNATIONAL
## 1072 Car CHRYSLER
## 1073 Car CHEVROLET
## 1074 Car FORD
## 1075 SUV HYUNDAI
## 1076 Motorcycle BUELL
## 1077 Motorcycle BMW
## 1078 Truck - Med. and H.D. IHC
## 1079 Light Truck and Van RAM
## 1080 SUV DODGE
## 1081 Car CHEVROLET
## 1082 Car DODGE
## 1083 Motorcycle KAWASAKI
## 1084 Car CHRYSLER
## 1085 Car MAZDA
## 1086 Car BUICK
## 1087 Truck - Med. and H.D. PIERCE
## 1088 Truck - Med. and H.D. WHITE GMC
## 1089 Motorcycle HARLEY-DAVIDSON
## 1090 Car HYUNDAI
## 1091 Motorcycle HARLEY-DAVIDSON
## 1092 Truck - Med. and H.D. FREIGHTLINER
## 1093 Truck - Med. and H.D. WHITE
## 1094 Truck - Med. and H.D. KENWORTH
## 1095 Car SUBARU
## 1096 Truck - Med. and H.D. PIERCE
## 1097 Light Truck and Van TOYOTA
## 1098 Car ROLLS-ROYCE
## 1099 Car GEO
## 1100 Car JEEP
## 1101 Car ROLLS-ROYCE
## 1102 Car NISSAN
## 1103 SUV NISSAN
## 1104 Truck - Med. and H.D. IHC
## 1105 SUV LINCOLN
## SYSTEM_TYPE_ETXT YEAR
## 1 Electrical 2006
## 2 Brakes 2002
## 3 Powertrain 1991
## 4 Brakes 1978
## 5 Lights And Instruments 2011
## 6 Emissions 1990
## 7 Not Entered 1976
## 8 Brakes 1983
## 9 Other 2006
## 10 Electrical 1996
## 11 Powertrain 2008
## 12 Other 2011
## 13 Brakes 2010
## 14 Structure 2004
## 15 Not Entered 1978
## 16 Structure 1991
## 17 Brakes 1999
## 18 Structure 1989
## 19 Not Entered 1975
## 20 Structure 1991
## 21 Brakes 1997
## 22 Not Entered 1977
## 23 Other 2013
## 24 Brakes 2004
## 25 Electrical 2014
## 26 Airbag 2005
## 27 Engine 1991
## 28 Not Entered 1981
## 29 Airbag 2014
## 30 Engine 2004
## 31 Structure 1989
## 32 Airbag 2007
## 33 Brakes 2005
## 34 Brakes 2004
## 35 Powertrain 2000
## 36 Electrical 1988
## 37 Brakes 1999
## 38 Structure 2008
## 39 Brakes 1979
## 40 Airbag 1996
## 41 Powertrain 1999
## 42 Airbag 2003
## 43 Powertrain 1999
## 44 Fuel Supply 1997
## 45 Steering 2006
## 46 Not Entered 1977
## 47 Brakes 1997
## 48 Brakes 2002
## 49 Airbag 2010
## 50 Brakes 2012
## 51 Brakes 1994
## 52 Electrical 2002
## 53 Not Entered 1978
## 54 Brakes 2000
## 55 Brakes 2007
## 56 Not Entered 1979
## 57 Brakes 2007
## 58 Electrical 1992
## 59 Electrical 1992
## 60 Brakes 2011
## 61 Other 2006
## 62 Not Entered 1983
## 63 Airbag 2002
## 64 Electrical 1995
## 65 Structure 1986
## 66 Electrical 1995
## 67 Brakes 2015
## 68 Not Entered 1972
## 69 Airbag 2008
## 70 Brakes 2003
## 71 Engine 1985
## 72 Not Entered 1978
## 73 Brakes 1977
## 74 Brakes 2005
## 75 Airbag 2002
## 76 Brakes 1975
## 77 Brakes 2004
## 78 Brakes 2007
## 79 Other 2010
## 80 Brakes 2010
## 81 Heater And Defroster 1983
## 82 Brakes 2008
## 83 Brakes 1994
## 84 Airbag 2006
## 85 Brakes 1998
## 86 Airbag 2016
## 87 Structure 1990
## 88 Brakes 2007
## 89 Brakes 1988
## 90 Structure 2015
## 91 Structure 1988
## 92 Electrical 2010
## 93 Seats And Restraints 1996
## 94 Brakes 1996
## 95 Brakes 2005
## 96 Airbag 2010
## 97 Brakes 2004
## 98 Brakes 1995
## 99 Brakes 2004
## 100 Brakes 2000
## 101 Airbag 2008
## 102 Airbag 2009
## 103 Airbag 2006
## 104 Brakes 1984
## 105 Brakes 2007
## 106 Brakes 2000
## 107 Brakes 1981
## 108 Brakes 2011
## 109 Lights And Instruments 2003
## 110 Airbag 2010
## 111 Structure 1986
## 112 Airbag 2005
## 113 Brakes 1990
## 114 Brakes 2005
## 115 Structure 1975
## 116 Brakes 2000
## 117 Brakes 1990
## 118 Airbag 2011
## 119 Engine 1987
## 120 Airbag 2007
## 121 Brakes 1993
## 122 Brakes 2008
## 123 Brakes 2001
## 124 Airbag 2003
## 125 Brakes 1989
## 126 Brakes 2001
## 127 Not Entered 1977
## 128 Fuel Supply 1983
## 129 Brakes 2000
## 130 Airbag 2013
## 131 Other 2006
## 132 Structure 2011
## 133 Other 2006
## 134 Powertrain 2005
## 135 Brakes 2007
## 136 Seats And Restraints 1999
## 137 Structure 1989
## 138 Lights And Instruments 2007
## 139 Airbag 2014
## 140 Not Entered 1982
## 141 Airbag 2011
## 142 Structure 1987
## 143 Brakes 2009
## 144 Other 2009
## 145 Airbag 2015
## 146 Brakes 1978
## 147 Airbag 2002
## 148 Brakes 1991
## 149 Brakes 2013
## 150 Brakes 1996
## 151 Structure 2001
## 152 Structure 1990
## 153 Brakes 2000
## 154 Brakes 2000
## 155 Other 2002
## 156 Brakes 1976
## 157 Not Entered 1985
## 158 Airbag 2003
## 159 Powertrain 2005
## 160 Lights And Instruments 2002
## 161 Airbag 1999
## 162 Other 2008
## 163 Structure 2007
## 164 Brakes 2003
## 165 Engine 1985
## 166 Structure 1998
## 167 Brakes 1998
## 168 Electrical 2009
## 169 Not Entered 1983
## 170 Not Entered 1983
## 171 Brakes 1999
## 172 Brakes 1993
## 173 Brakes 2008
## 174 Electrical 2003
## 175 Suspension 1997
## 176 Structure 1992
## 177 Lights And Instruments 2001
## 178 Accessories 1987
## 179 Not Entered 1976
## 180 Electrical 2012
## 181 Brakes 2003
## 182 Brakes 1992
## 183 Airbag 1997
## 184 Engine 1975
## 185 Other 2007
## 186 Not Entered 1981
## 187 Structure 1996
## 188 Not Entered 1981
## 189 Brakes 1991
## 190 Not Entered 1983
## 191 Brakes 2010
## 192 Not Entered 1973
## 193 Brakes 1983
## 194 Not Entered 1981
## 195 Brakes 2010
## 196 Emissions 1991
## 197 Not Entered 1981
## 198 Structure 1983
## 199 Structure 1983
## 200 Brakes 1975
## 201 Fuel Supply 1992
## 202 Brakes 1985
## 203 Brakes 1997
## 204 Emissions 1988
## 205 Brakes 2008
## 206 Brakes 1995
## 207 Brakes 2006
## 208 Airbag 2010
## 209 Emissions 1986
## 210 Lights And Instruments 2009
## 211 Lights And Instruments 2012
## 212 Not Entered 1979
## 213 Brakes 2003
## 214 Electrical 1997
## 215 Airbag 2010
## 216 Powertrain 2011
## 217 Brakes 1987
## 218 Not Entered 1976
## 219 Electrical 2011
## 220 Electrical 2011
## 221 Airbag 2006
## 222 Airbag 2002
## 223 Not Entered 1977
## 224 Structure 2002
## 225 Electrical 2007
## 226 Structure 1996
## 227 Brakes 2011
## 228 Brakes 1990
## 229 Brakes 2015
## 230 Not Entered 1978
## 231 Not Entered 1981
## 232 Not Entered 1978
## 233 Electrical 1993
## 234 Brakes 2007
## 235 Brakes 2001
## 236 Brakes 2015
## 237 Not Entered 1979
## 238 Brakes 2012
## 239 Brakes 1988
## 240 Not Entered 1975
## 241 Powertrain 2006
## 242 Electrical 1995
## 243 Structure 1987
## 244 Engine 1986
## 245 Brakes 1994
## 246 Brakes 2008
## 247 Other 2007
## 248 Electrical 1998
## 249 Brakes 1986
## 250 Airbag 2012
## 251 Brakes 1976
## 252 Not Entered 1984
## 253 Powertrain 2005
## 254 Structure 1984
## 255 Brakes 2015
## 256 Structure 1984
## 257 Brakes 2005
## 258 Airbag 2004
## 259 Not Entered 1979
## 260 Brakes 1992
## 261 Seats And Restraints 1990
## 262 Seats And Restraints 2001
## 263 Structure 1985
## 264 Structure 1996
## 265 Structure 1994
## 266 Powertrain 1995
## 267 Brakes 1992
## 268 Not Entered 1975
## 269 Brakes 2003
## 270 Not Entered 1983
## 271 Electrical 1979
## 272 Electrical 2003
## 273 Airbag 2002
## 274 Powertrain 1999
## 275 Brakes 2008
## 276 Structure 1994
## 277 Structure 1994
## 278 Airbag 2014
## 279 Brakes 2005
## 280 Airbag 2007
## 281 Brakes 2005
## 282 Structure 2000
## 283 Brakes 1976
## 284 Brakes 1987
## 285 Powertrain 2014
## 286 Suspension 2004
## 287 Engine 1993
## 288 Brakes 1984
## 289 Fuel Supply 1989
## 290 Brakes 1984
## 291 Not Entered 1980
## 292 Steering 1995
## 293 Brakes 2006
## 294 Brakes 2013
## 295 Brakes 1979
## 296 Engine 1984
## 297 Brakes 1982
## 298 Brakes 1975
## 299 Brakes 1997
## 300 Structure 1985
## 301 Structure 1985
## 302 Brakes 2006
## 303 Not Entered 1985
## 304 Brakes 2009
## 305 Airbag 2007
## 306 Not Entered 1982
## 307 Brakes 1983
## 308 Seats And Restraints 1999
## 309 Brakes 1985
## 310 Brakes 1997
## 311 Emissions 1985
## 312 Structure 1998
## 313 Not Entered 1985
## 314 Other 2010
## 315 Lights And Instruments 2011
## 316 Electrical 1994
## 317 Other 2008
## 318 Airbag 2013
## 319 Powertrain 2013
## 320 Not Entered 1976
## 321 Suspension 2001
## 322 Not Entered 1976
## 323 Electrical 2006
## 324 Electrical 1994
## 325 Airbag 2006
## 326 Powertrain 2002
## 327 Electrical 1994
## 328 Structure 1974
## 329 Brakes 2000
## 330 Not Entered 1975
## 331 Structure 1999
## 332 Structure 1985
## 333 Accessories 2013
## 334 Electrical 2006
## 335 Electrical 2006
## 336 Other 2011
## 337 Structure 1986
## 338 Brakes 2010
## 339 Not Entered 1983
## 340 Not Entered 1983
## 341 Brakes 2001
## 342 Structure 2015
## 343 Brakes 1985
## 344 Seats And Restraints 1997
## 345 Brakes 2013
## 346 Brakes 2016
## 347 Brakes 2004
## 348 Brakes 2012
## 349 Airbag 2007
## 350 Brakes 2004
## 351 Seats And Restraints 2014
## 352 Brakes 1999
## 353 Not Entered 1976
## 354 Other 2009
## 355 Not Entered 1979
## 356 Brakes 2009
## 357 Not Entered 1972
## 358 Electrical 2010
## 359 Suspension 2003
## 360 Not Entered 1975
## 361 Not Entered 1983
## 362 Structure 1993
## 363 Not Entered 1978
## 364 Emissions 1987
## 365 Brakes 1976
## 366 Brakes 1996
## 367 Brakes 1976
## 368 Structure 1991
## 369 Airbag 2009
## 370 Suspension 2003
## 371 Brakes 2012
## 372 Brakes 2002
## 373 Structure 1992
## 374 Airbag 2002
## 375 Engine 1989
## 376 Engine 1989
## 377 Structure 1992
## 378 Other 2008
## 379 Other 2001
## 380 Brakes 2004
## 381 Other 2008
## 382 Structure 1993
## 383 Not Entered 1975
## 384 Not Entered 1984
## 385 Not Entered 1984
## 386 Brakes 1993
## 387 Powertrain 2010
## 388 Airbag 2010
## 389 Seats And Restraints 1991
## 390 Brakes 2009
## 391 Airbag 2011
## 392 Brakes 1986
## 393 Airbag 2003
## 394 Engine 1986
## 395 Powertrain 2003
## 396 Structure 1994
## 397 Structure 1990
## 398 Structure 1990
## 399 Engine 1996
## 400 Brakes 2008
## 401 Brakes 2013
## 402 Airbag 2015
## 403 Not Entered 1973
## 404 Electrical 2007
## 405 Airbag 2003
## 406 Suspension 1998
## 407 Brakes 2000
## 408 Structure 2005
## 409 Powertrain 1992
## 410 Brakes 2009
## 411 Electrical 1986
## 412 Electrical 1986
## 413 Other 2006
## 414 Other 2007
## 415 Brakes 2003
## 416 Seats And Restraints 2000
## 417 Structure 2005
## 418 Brakes 1976
## 419 Brakes 1990
## 420 Airbag 2012
## 421 Brakes 1998
## 422 Brakes 1999
## 423 Airbag 2007
## 424 Brakes 1999
## 425 Airbag 2005
## 426 Structure 2005
## 427 Brakes 2012
## 428 Engine 1990
## 429 Brakes 1993
## 430 Other 2007
## 431 Seats And Restraints 2006
## 432 Brakes 2013
## 433 Other 2009
## 434 Structure 1985
## 435 Airbag 2009
## 436 Lights And Instruments 2005
## 437 Seats And Restraints 2014
## 438 Brakes 1984
## 439 Lights And Instruments 2011
## 440 Structure 1985
## 441 Brakes 1999
## 442 Airbag 2005
## 443 Powertrain 1996
## 444 Brakes 1998
## 445 Electrical 2002
## 446 Other 2008
## 447 Brakes 1992
## 448 Not Entered 1979
## 449 Airbag 2006
## 450 Airbag 2008
## 451 Brakes 1978
## 452 Brakes 2000
## 453 Electrical 2014
## 454 Structure 1989
## 455 Airbag 2003
## 456 Engine 1989
## 457 Brakes 1994
## 458 Brakes 2008
## 459 Brakes 2007
## 460 Brakes 2007
## 461 Brakes 1996
## 462 Airbag 2014
## 463 Not Entered 1974
## 464 Brakes 1992
## 465 Other 2009
## 466 Other 2012
## 467 Airbag 2002
## 468 Brakes 1978
## 469 Structure 2001
## 470 Brakes 2003
## 471 Airbag 2008
## 472 Brakes 1979
## 473 Brakes 2012
## 474 Brakes 1988
## 475 Brakes 2003
## 476 Not Entered 1975
## 477 Brakes 1986
## 478 Brakes 1986
## 479 Brakes 1999
## 480 Brakes 2001
## 481 Lights And Instruments 2013
## 482 Electrical 2001
## 483 Not Entered 1975
## 484 Brakes 1983
## 485 Not Entered 1974
## 486 Brakes 1983
## 487 Not Entered 1972
## 488 Brakes 1998
## 489 Steering 2006
## 490 Brakes 1981
## 491 Brakes 2001
## 492 Brakes 2004
## 493 Brakes 2001
## 494 Airbag 2004
## 495 Powertrain 2006
## 496 Electrical 2012
## 497 Electrical 2012
## 498 Brakes 2001
## 499 Brakes 1984
## 500 Fuel Supply 1994
## 501 Seats And Restraints 2013
## 502 Not Entered 1982
## 503 Brakes 1997
## 504 Airbag 2003
## 505 Brakes 1985
## 506 Brakes 1997
## 507 Brakes 2000
## 508 Structure 2006
## 509 Lights And Instruments 2008
## 510 Suspension 1988
## 511 Structure 1986
## 512 Brakes 1997
## 513 Structure 1986
## 514 Other 2012
## 515 Emissions 1986
## 516 Engine 1988
## 517 Brakes 1985
## 518 Brakes 1979
## 519 Brakes 1979
## 520 Brakes 2001
## 521 Airbag 2003
## 522 Not Entered 1982
## 523 Brakes 1991
## 524 Not Entered 1982
## 525 Not Entered 1976
## 526 Engine 2005
## 527 Seats And Restraints 2012
## 528 Airbag 2012
## 529 Airbag 2005
## 530 Heater And Defroster 1989
## 531 Steering 1988
## 532 Steering 1988
## 533 Brakes 1996
## 534 Airbag 2007
## 535 Not Entered 1976
## 536 Structure 1984
## 537 Structure 1984
## 538 Seats And Restraints 1990
## 539 Lights And Instruments 2010
## 540 Not Entered 1974
## 541 Structure 2002
## 542 Brakes 1978
## 543 Brakes 1978
## 544 Brakes 2008
## 545 Brakes 1991
## 546 Airbag 2008
## 547 Airbag 2008
## 548 Not Entered 1973
## 549 Engine 1994
## 550 Structure 1995
## 551 Electrical 2014
## 552 Brakes 2003
## 553 Airbag 2007
## 554 Airbag 2006
## 555 Airbag 2007
## 556 Brakes 2010
## 557 Brakes 2007
## 558 Structure 2005
## 559 Engine 1988
## 560 Engine 1988
## 561 Other 2005
## 562 Brakes 1993
## 563 Airbag 2004
## 564 Airbag 2002
## 565 Brakes 2003
## 566 Brakes 2009
## 567 Electrical 2003
## 568 Brakes 1987
## 569 Brakes 2001
## 570 Not Entered 1976
## 571 Brakes 2012
## 572 Brakes 2012
## 573 Powertrain 2012
## 574 Airbag 2005
## 575 Not Entered 1978
## 576 Not Entered 1982
## 577 Not Entered 1984
## 578 Brakes 1994
## 579 Other 2008
## 580 Brakes 2013
## 581 Brakes 1995
## 582 Brakes 2009
## 583 Powertrain 1998
## 584 Structure 2003
## 585 Structure 2003
## 586 Brakes 2005
## 587 Not Entered 1977
## 588 Brakes 2003
## 589 Brakes 1992
## 590 Airbag 2013
## 591 Airbag 1995
## 592 Fuel Supply 1997
## 593 Brakes 1982
## 594 Brakes 2009
## 595 Brakes 2008
## 596 Engine 1993
## 597 Other 2010
## 598 Brakes 2002
## 599 Brakes 1995
## 600 Brakes 1986
## 601 Airbag 2006
## 602 Airbag 2015
## 603 Steering 2001
## 604 Airbag 2003
## 605 Not Entered 1978
## 606 Brakes 1999
## 607 Brakes 2004
## 608 Electrical 2014
## 609 Brakes 2004
## 610 Brakes 2003
## 611 Airbag 2003
## 612 Brakes 2003
## 613 Seats And Restraints 1998
## 614 Brakes 1986
## 615 Brakes 1994
## 616 Structure 2001
## 617 Not Entered 1979
## 618 Brakes 1996
## 619 Brakes 1995
## 620 Seats And Restraints 2004
## 621 Electrical 1982
## 622 Electrical 1982
## 623 Not Entered 1978
## 624 Airbag 2008
## 625 Brakes 1976
## 626 Electrical 2007
## 627 Engine 1996
## 628 Not Entered 1979
## 629 Not Entered 1976
## 630 Brakes 2007
## 631 Brakes 1994
## 632 Airbag 2014
## 633 Powertrain 1994
## 634 Brakes 2008
## 635 Seats And Restraints 1995
## 636 Brakes 1984
## 637 Not Entered 1981
## 638 Structure 1988
## 639 Not Entered 1976
## 640 Airbag 2006
## 641 Brakes 1992
## 642 Not Entered 1975
## 643 Brakes 2005
## 644 Other 2006
## 645 Brakes 1995
## 646 Lights And Instruments 1999
## 647 Structure 1992
## 648 Brakes 1990
## 649 Structure 1988
## 650 Brakes 1989
## 651 Structure 1992
## 652 Structure 1992
## 653 Brakes 1999
## 654 Other 1997
## 655 Other 2010
## 656 Airbag 2014
## 657 Visual System 2003
## 658 Brakes 1993
## 659 Emissions 1989
## 660 Airbag 2013
## 661 Engine 1996
## 662 Brakes 1988
## 663 Suspension 2014
## 664 Electrical 1993
## 665 Brakes 1996
## 666 Suspension 2002
## 667 Structure 1997
## 668 Not Entered 1981
## 669 Brakes 2002
## 670 Engine 1989
## 671 Structure 2000
## 672 Structure 2000
## 673 Structure 2007
## 674 Engine 2005
## 675 Brakes 2000
## 676 Brakes 2006
## 677 Brakes 2003
## 678 Other 2005
## 679 Brakes 2010
## 680 Powertrain 2012
## 681 Electrical 2014
## 682 Brakes 1981
## 683 Brakes 1981
## 684 Brakes 2007
## 685 Brakes 2007
## 686 Fuel Supply 1988
## 687 Electrical 2012
## 688 Brakes 2011
## 689 Not Entered 1975
## 690 Airbag 2003
## 691 Brakes 2000
## 692 Brakes 2014
## 693 Airbag 2005
## 694 Brakes 1988
## 695 Brakes 1985
## 696 Not Entered 1986
## 697 Structure 1988
## 698 Other 2003
## 699 Brakes 1980
## 700 Electrical 2012
## 701 Not Entered 1975
## 702 Airbag 2011
## 703 Electrical 2012
## 704 Not Entered 1983
## 705 Not Entered 1983
## 706 Brakes 1984
## 707 Airbag 2007
## 708 Seats And Restraints 1988
## 709 Not Entered 1980
## 710 Not Entered 1976
## 711 Electrical 2012
## 712 Other 2013
## 713 Brakes 2008
## 714 Powertrain 2001
## 715 Not Entered 1979
## 716 Not Entered 1981
## 717 Powertrain 2010
## 718 Brakes 1993
## 719 Airbag 2012
## 720 Brakes 1986
## 721 Brakes 2009
## 722 Airbag 2006
## 723 Other 2008
## 724 Brakes 1992
## 725 Not Entered 1976
## 726 Seats And Restraints 2001
## 727 Brakes 2009
## 728 Brakes 2009
## 729 Brakes 1998
## 730 Brakes 1998
## 731 Structure 1983
## 732 Powertrain 2015
## 733 Structure 1984
## 734 Emissions 1986
## 735 Brakes 2009
## 736 Brakes 1997
## 737 Brakes 1990
## 738 Lights And Instruments 1999
## 739 Brakes 1998
## 740 Brakes 2010
## 741 Brakes 1983
## 742 Brakes 1997
## 743 Seats And Restraints 1992
## 744 Seats And Restraints 1997
## 745 Electrical 2014
## 746 Suspension 2009
## 747 Structure 1994
## 748 Fuel Supply 1982
## 749 Emissions 1989
## 750 Airbag 2007
## 751 Airbag 2004
## 752 Brakes 2012
## 753 Engine 2012
## 754 Airbag 2001
## 755 Airbag 2005
## 756 Brakes 2007
## 757 Brakes 1994
## 758 Not Entered 1981
## 759 Airbag 2007
## 760 Brakes 1993
## 761 Structure 1997
## 762 Not Entered 1975
## 763 Brakes 2007
## 764 Brakes 1994
## 765 Brakes 1994
## 766 Airbag 2008
## 767 Airbag 2011
## 768 Not Entered 1977
## 769 Label 2003
## 770 Airbag 2004
## 771 Brakes 1983
## 772 Engine 2014
## 773 Electrical 2008
## 774 Brakes 2001
## 775 Brakes 2009
## 776 Brakes 1996
## 777 Brakes 1996
## 778 Brakes 2004
## 779 Airbag 2009
## 780 Brakes 2014
## 781 Suspension 1988
## 782 Airbag 2007
## 783 Engine 1988
## 784 Structure 2015
## 785 Airbag 2003
## 786 Structure 2015
## 787 Not Entered 1976
## 788 Electrical 2007
## 789 Suspension 2003
## 790 Structure 1997
## 791 Airbag 2006
## 792 Brakes 1999
## 793 Not Entered 1978
## 794 Structure 1997
## 795 Structure 1997
## 796 Fuel Supply 1993
## 797 Brakes 2008
## 798 Not Entered 1979
## 799 Electrical 2009
## 800 Brakes 2006
## 801 Structure 2000
## 802 Brakes 2015
## 803 Airbag 2003
## 804 Brakes 2015
## 805 Not Entered 1979
## 806 Brakes 2008
## 807 Brakes 1990
## 808 Seats And Restraints 1986
## 809 Other 2005
## 810 Brakes 2003
## 811 Brakes 2015
## 812 Not Entered 1979
## 813 Brakes 1998
## 814 Brakes 2015
## 815 Not Entered 1972
## 816 Engine 2014
## 817 Brakes 2007
## 818 Airbag 2006
## 819 Airbag 2014
## 820 Brakes 1985
## 821 Engine 1988
## 822 Brakes 1989
## 823 Brakes 1985
## 824 Seats And Restraints 1998
## 825 Steering 2006
## 826 Brakes 1991
## 827 Brakes 2000
## 828 Not Entered 1976
## 829 Other 2007
## 830 Electrical 2013
## 831 Electrical 2008
## 832 Structure 1986
## 833 Structure 1986
## 834 Brakes 1999
## 835 Brakes 1999
## 836 Brakes 1999
## 837 Brakes 1980
## 838 Airbag 2006
## 839 Engine 1980
## 840 Powertrain 1993
## 841 Brakes 2002
## 842 Engine 1995
## 843 Structure 1998
## 844 Engine 1987
## 845 Not Entered 1978
## 846 Emissions 1991
## 847 Brakes 2002
## 848 Electrical 1984
## 849 Electrical 1984
## 850 Brakes 1994
## 851 Brakes 1994
## 852 Brakes 1990
## 853 Structure 1980
## 854 Airbag 2005
## 855 Powertrain 1998
## 856 Other 2003
## 857 Other 2011
## 858 Brakes 2000
## 859 Brakes 2000
## 860 Brakes 1986
## 861 Engine 1990
## 862 Emissions 1994
## 863 Not Entered 1974
## 864 Brakes 2007
## 865 Airbag 2002
## 866 Steering 1993
## 867 Brakes 1979
## 868 Brakes 2004
## 869 Emissions 1991
## 870 Not Entered 1978
## 871 Not Entered 1977
## 872 Brakes 2008
## 873 Airbag 2005
## 874 Fuel Supply 1991
## 875 Electrical 2009
## 876 Lights And Instruments 1992
## 877 Brakes 2004
## 878 Not Entered 1979
## 879 Airbag 2006
## 880 Accessories 2013
## 881 Airbag 2005
## 882 Engine 2015
## 883 Airbag 2012
## 884 Structure 2004
## 885 Brakes 2011
## 886 Other 2007
## 887 Brakes 1985
## 888 Brakes 2001
## 889 Other 2007
## 890 Powertrain 2005
## 891 Brakes 2002
## 892 Brakes 2002
## 893 Engine 2006
## 894 Brakes 2002
## 895 Other 1992
## 896 Other 2007
## 897 Brakes 1992
## 898 Airbag 2005
## 899 Brakes 2014
## 900 Fuel Supply 2002
## 901 Airbag 2004
## 902 Brakes 2015
## 903 Brakes 1999
## 904 Brakes 1988
## 905 Brakes 2006
## 906 Brakes 1993
## 907 Brakes 2009
## 908 Airbag 2002
## 909 Powertrain 1997
## 910 Suspension 1999
## 911 Brakes 1995
## 912 Steering 1985
## 913 Not Entered 1978
## 914 Brakes 1978
## 915 Not Entered 1975
## 916 Brakes 1997
## 917 Brakes 1999
## 918 Powertrain 1991
## 919 Powertrain 1991
## 920 Brakes 1999
## 921 Electrical 2011
## 922 Engine 1988
## 923 Not Entered 1983
## 924 Airbag 2007
## 925 Fuel Supply 1999
## 926 Not Entered 1976
## 927 Suspension 2007
## 928 Suspension 2001
## 929 Lights And Instruments 2010
## 930 Not Entered 1972
## 931 Fuel Supply 2004
## 932 Engine 1990
## 933 Not Entered 1975
## 934 Brakes 1992
## 935 Brakes 1987
## 936 Powertrain 2014
## 937 Lights And Instruments 2004
## 938 Brakes 1979
## 939 Brakes 1979
## 940 Airbag 2011
## 941 Brakes 1980
## 942 Brakes 1980
## 943 Not Entered 1979
## 944 Not Entered 1974
## 945 Not Entered 1979
## 946 Not Entered 1977
## 947 Brakes 2012
## 948 Electrical 1995
## 949 Electrical 1995
## 950 Brakes 1999
## 951 Airbag 2006
## 952 Engine 2002
## 953 Suspension 1998
## 954 Brakes 2006
## 955 Electrical 2008
## 956 Brakes 2006
## 957 Suspension 2004
## 958 Other 2014
## 959 Brakes 2005
## 960 Powertrain 1997
## 961 Fuel Supply 1992
## 962 Not Entered 1979
## 963 Brakes 1980
## 964 Structure 2012
## 965 Brakes 1996
## 966 Brakes 2006
## 967 Emissions 1998
## 968 Seats And Restraints 2010
## 969 Not Entered 1984
## 970 Fuel Supply 1977
## 971 Electrical 2000
## 972 Not Entered 1981
## 973 Emissions 1990
## 974 Airbag 2009
## 975 Structure 2013
## 976 Engine 1995
## 977 Powertrain 2007
## 978 Structure 2002
## 979 Structure 2002
## 980 Brakes 1986
## 981 Not Entered 1975
## 982 Not Entered 1985
## 983 Brakes 1984
## 984 Electrical 2011
## 985 Structure 1996
## 986 Electrical 2009
## 987 Airbag 2002
## 988 Brakes 2007
## 989 Brakes 2008
## 990 Structure 1987
## 991 Structure 2003
## 992 Structure 2013
## 993 Brakes 2009
## 994 Other 2009
## 995 Brakes 2000
## 996 Airbag 2002
## 997 Powertrain 1994
## 998 Brakes 2010
## 999 Structure 1989
## 1000 Airbag 2002
## 1001 Brakes 2001
## 1002 Brakes 1982
## 1003 Electrical 2009
## 1004 Other 2009
## 1005 Electrical 2009
## 1006 Electrical 2009
## 1007 Brakes 2011
## 1008 Brakes 2006
## 1009 Not Entered 1977
## 1010 Not Entered 1984
## 1011 Electrical 2009
## 1012 Powertrain 2000
## 1013 Electrical 2009
## 1014 Airbag 2010
## 1015 Not Entered 1984
## 1016 Emissions 1993
## 1017 Powertrain 2000
## 1018 Brakes 1995
## 1019 Structure 2006
## 1020 Brakes 2004
## 1021 Brakes 2001
## 1022 Electrical 2005
## 1023 Not Entered 1979
## 1024 Airbag 2001
## 1025 Not Entered 1979
## 1026 Brakes 2010
## 1027 Heater And Defroster 1986
## 1028 Not Entered 1974
## 1029 Electrical 2006
## 1030 Airbag 1992
## 1031 Structure 1994
## 1032 Electrical 1994
## 1033 Electrical 1996
## 1034 Brakes 2015
## 1035 Not Entered 1976
## 1036 Electrical 1996
## 1037 Brakes 2012
## 1038 Not Entered 1977
## 1039 Airbag 1999
## 1040 Electrical 2002
## 1041 Other 2007
## 1042 Structure 2003
## 1043 Seats And Restraints 2011
## 1044 Airbag 2002
## 1045 Airbag 2005
## 1046 Airbag 2004
## 1047 Brakes 2012
## 1048 Airbag 2013
## 1049 Brakes 1988
## 1050 Airbag 2004
## 1051 Brakes 2007
## 1052 Brakes 2007
## 1053 Brakes 1994
## 1054 Structure 1996
## 1055 Brakes 1990
## 1056 Brakes 1992
## 1057 Not Entered 1977
## 1058 Steering 1984
## 1059 Suspension 2006
## 1060 Brakes 2014
## 1061 Brakes 1988
## 1062 Airbag 2004
## 1063 Lights And Instruments 2015
## 1064 Other 2008
## 1065 Not Entered 1978
## 1066 Brakes 1982
## 1067 Not Entered 1973
## 1068 Emissions 1988
## 1069 Other 2006
## 1070 Seats And Restraints 1994
## 1071 Brakes 2000
## 1072 Fuel Supply 1995
## 1073 Brakes 1982
## 1074 Structure 1996
## 1075 Electrical 2010
## 1076 Structure 1997
## 1077 Brakes 1989
## 1078 Brakes 1975
## 1079 Airbag 2012
## 1080 Powertrain 2007
## 1081 Structure 1988
## 1082 Structure 1993
## 1083 Brakes 2003
## 1084 Not Entered 1976
## 1085 Airbag 2005
## 1086 Powertrain 1992
## 1087 Brakes 2002
## 1088 Brakes 1990
## 1089 Brakes 1977
## 1090 Structure 2008
## 1091 Brakes 1977
## 1092 Brakes 2015
## 1093 Not Entered 1976
## 1094 Brakes 2008
## 1095 Engine 2003
## 1096 Other 2009
## 1097 Other 2010
## 1098 Brakes 1990
## 1099 Steering 1992
## 1100 Not Entered 1975
## 1101 Brakes 1990
## 1102 Engine 1983
## 1103 Airbag 2001
## 1104 Not Entered 1982
## 1105 Powertrain 2013
## COMMENT_ETXT
## 1 On certain vehicles, the wire harness connecting the Belt Tension Sensor (BTS) and the Occupant Detection Sensor (ODS) control unit under the front passenger seat can experience relative movement, possibly caused by vehicle vibration or passenger loading on the seat cushion. The movement may cause the pin and sleeve terminals in the connecter to rub against each other. This could lead to a signal interruption from the BTS to the ODS control unit. If a signal interruption is detected, the passenger airbag is designed to suppress and, if this occurred, the red supplemental airbag warning light would flash and the amber front passenger airbag status light would illuminate to alert the vehicle operator that the passenger airbag is not operating. In a crash, non-operative airbags could increase the risk of personal injury or death. Correction; Dealers will secure the Belt Tension Sensor harness connector.
## 2 Certain heavy-duty trucks equipped with Meritor Wabco pneumatic Antilock Brake System (ABS) Valve Packages. The assembly bolts on these valve packages were not tightened correctly. Bolts torque below specification will not reliably prevent air leakage at the affected ABS Valve Package interface joints once the component begins normal vehicle operation. If air leaks develop at any of the ABS Valve Package interface joints, brake system pressure reductions could occur during braking or normal operation with units equipped with the traction control option, potentially extending stopping distances, possibly resulting in a vehicle crash. Correction; Dealers will tighten the fasteners to the proper specification.
## 3 THE AUTOMATIC OVERDRIVE TRANSMISSIONS ON THESE VEHICLES MAY BE EQUIPPED WITH A PARK ROD ASSEMBLY THAT INCLUDES A PARK CAM WITH INADEQUATE SURFACE HARDNESS. THIS COULD RESULT IN HIGH PARK DISENGAGEMENT FORCES OR IN NO PARK ENGAGEMENT WHEN THE SHIFT LEVER IS PLACED IN THE PARK POSITION. THIS IN TURN COULD RESULT IN AN UNPOWERED VEHICLE ROLL-AWAY IF THE VEHICLE IS PARKED ON AN INCLINE WITH THE PARKING BRAKE OFF.CORRECTION; PARK ROD ASSEMBLY WILL BE REPLACED ON AFFECTED VEHICLES.
## 4 MEDIUM AND HEAVY DUTY TRUCKS EQUIPPED WITH EATON ANTI-LOCK AIR BRAKE SYSTEM. THE PISTON IN THE ANTI-LOCK RELAY VALVES MAY EXPAND WHEN EXPOSED TO CERTAIN FLUID CONTAMINATES WHICH MAY BE FOUND IN THE AIR BRAKE SYSTEM. EXPANDED PISTONS CAN STICK OR JAM IN THE VALVES AND PREVENT AIR DELIVERY TO THE BVRAKE CHAMBERS CAUSING A LOSS OF BRAKING POWER ON THE AFFECTED AXLE. THIS CONDITION WOULD RESULT IN LONGER STOPPING DISTANCES.
## 5 On certain vehicles, the stop lamps may operate intermittently during light braking applications. Failure of the brake lamps to illuminate when the brakes are applied may result in the following road users being unaware of the drivers intentions, increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the hydraulic brake light switch assembly.
## 6 NOTE; VEHICLES EQUIPPED WITH 3.0 LITRE ENGINES.THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S 1103 - EXHAUST EMISSIONS.CATALYSTS AND OXYGEN SENSORS MAY BE DEFECTIVE.CORRECTION; CATALYTIC CONVERTER AND OXYGEN SENSOR WILL BE REPLACED.
## 7 ANTI-WHEEL LOCK VALVES SUPPLIED BY EATON CORPORATION MAY BE EXPOSED TO ACCUMULATED CONCENTRATIONS OF FLUID CONTAMINANTS IN THE AIR BRAKE SYSTEM THAT COULD CAUSE THE PISTON TO STICK THEREBY PREVENTING ANY AIR FROM BEING DELIVERED TO THE AIR BRAKE CHAMBERS SUPPLIED BY THAT VALVE. LTHIS CONDITION WILL RESULT IN A NO BRAKE APPLICATION ON THE AFFECTED AXLE, THEREBY EXTENDING VEHICLE STOPPING DISTANCES.
## 8 On certain vehicles, hydraulic brake tube routing to both rear wheels may allow interference between the tubes and the rear suspension trailing arm pivot brackets. Abrasion resulting from such interference may result in tube fatigue and partial loss of braking capability.
## 9 On certain vehicles, the cab mounted bracket attached to the hydraulic cylinder used to raise and lower the cab for maintenance may fail, allowing the cab to either fall unrestrained back onto the chassis, or if past the break over point, fall forward to the ground. Either scenario could cause personal injury or death. Correction; Dealers will affect repairs.
## 10 On certain vehicles equipped with six cylinder and twelve cylinder engines. The steering column lighting switchgear has the potential to trap wires, leading to a partial loss of lighting functionality. Depending on which wires are trapped, the loss of lighting function can vary. Correction; Dealers will replace the switchgear assembly.
## 11 On certain vehicles equipped with the Comfort Access option, if the driver depresses the start-stop button multiple times in rapid succession, the transmission could shift to Neutral (N) instead of Park (P). If the driver leaves the vehicle without engaging the parking brake, a sufficient slope could cause the vehicle to roll away. A rollaway vehicle could strike another vehicle, stationary object, or a bystander, causing property damage and/or personal injury. Correction; Dealers will reprogram the Central Gateway Control Module with updated software.
## 12 On certain vehicles, the secondary clutch disengagement switch may have been omitted during vehicle assembly or, in some instances, removed during servicing. As such, primary switch failure would cause the automated manual transmissions clutch to remain engaged when the brakes are applied. This could increase stopping distances, possibly resulting in a crash causing property damage and/or personal injury. Correction; Dealers will install a micro-switch at the brake pedal and update the software to run a diagnostic on the switch during engine start-up.
## 13 On certain vehicles, the brake booster input rod may have been installed without the retaining clip, or in some cases, with an improperly formed retaining clip. Should the input rod separate from the assembly it could lead to a loss of brakes, which could result in a vehicle crash causing property damage, personal injury or death. Correction; Dealers will install or replace the retaining clips.
## 14 On certain vehicles, the sixteen (16) bolts that mount the front of the cab to two (2) cast mounting brackets were not properly torqued. Without proper assembly torque, these bolts can loosen during normal vehicle use and fall out. This may lead to the cab separating from the vehicles chassis during a crash that may result in properly damage, personal injury or death. Correction; Dealers will replace and torque all sixteen (16) bolts.
## 15 MEDIUM AND HEAVY DUTY TRUCK AND BUS MODELS EQUIPPED WITH 7,000 OR 12,000 POUND FRONT AXLES AND HYDRAULIC BRAKES. THE RIGHT-HAND AND/ OR LEFT-HAND FRONT SHORT STELL BRAKE LINES MAY FRACTURE IN THE BEND RADIUS DUE TO BRAKE CHATTER INDUCING PERIODIC HIGH STRESSES. THIS CAN RESULT IN A BRAKE FLUID LEAK AND LOSS OF BRAKING POWER.
## 16 On certain vehicle equipped with Fontaine light weight fixed position fifth wheels, the fifth wheel mounting plate may develop a crack in the area where the legs of the fifth wheel are welded to the base plate. This could result in eventual trailer separation. Correction; Fifth wheel base plate will be inspected and if a crack is found, the base plate will be replaced.
## 17 On certain vehicles, the transmission flange, parking brake drum and transmission yoke are connected by eight bolts. If the brake drum or transmission yoke are not properly seated when the bolts are installed, subsequent driveline torque applied to the joint will cause the mating parts to fully seat, resulting in loose bolts. Loose bolts can eventually work out or shear resulting in the drum and driveshaft separating from the vehicle which could potentially cause vehicle damage or personal injury or both. Correction; Vehicles will have the torque inspected and be retorqued to specification.
## 18 CORROSION DUE TO ROAD SALT MAY PREVENT THE HOOD LATCH AND THE SAFETY CATCH FROM WORKING PROPERLY. THIS COULD RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION RESULTING IN OBSCURED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS OF AFFECTED VEHICLES WILL BE ADVISED BY MAIL REGARDING THE NECESSITY FOR PERIODIC LUBRICATION OF THE ENGINE HOOD LATCH MECHANISM. DEALERS WILL BE ADVISED TO LUBRICATE THE ENGINE HOOD MECHANISM WHENEVER AN AFFECTED VEHICLE IS BEING SERVICED.
## 19 CAB OVER ENGINE MODELS MANUFACTURED FROM MARCH 15, 1972 TO MAY 24, 1976. THE UPPER REAR CAB LATCH MOUNTING STRUCTURE CAN DEVELOP CRACKS AND BREAK LOOSE FROM THE CAB SUCH THAT THE CAB WOULD NOT BE LATCHED.
## 20 THE DRIVESHAFT CENTRE SUPPORT BRACKET ON THESE VEHICLES CAN CRACK AND SUBSEQUENTLY BREAK CAUSING DRIVESHAFT WOBBLE AND POSSIBLE SEPARATION. THIS COULD RESULT IN SECONDARY VEHICLE DAMAGE AND ANY LOOSE FRAGMENTS THAT FALL ONTO THE ROAD COULD PRESENT A HAZARD TO OTHER VEHICLES.CORRECTION; SUPPORT BRACKET WILL BE REPLACED WITH ONE OF A NEW DESIGN.
## 21 On certain vehicles, the automatic slack adjuster anchor brackets can fail due to fatigue fracture and completely separate, causing the slack adjusters to function as manual slack adjusters. If the support bracket for an automatic slack adjuster fails, the brakes at that wheel end will not automatically adjust. As the brake linings wear, the vehicle will have reduced braking capacity, increasing the risk of a crash. Correction; Dealers will install a new bracket on each suspect slack adjuster.
## 22 TRUCKS EQUIPPED WITH MACK ENDT (B) 676, ETAZ (B) 673A AND ETAY (B) 673A ENGINES WITH AIRESEARCH TV6103 TURBO-CHARGERS. IN SOME INSTNACES OF TURBOCHARGER COMP[RESSOR WHEEL FAILURE THE CAPSCREWS RETAINING THE COMPRESSOR BACK PLATE MAY BE STRUCK BY PART OF THE COMP-RESSOR WHEEL. HTIS CAN RESULT IN THE CAPSCREWS BEING STRETCHED OR SHEARED, ALLOWING THE BACKPLATE TO DISLOCATE AND PRESSURIZED ENGINE OIL TO CONTACT THE HOT TURBOCHARGER TURBINE HOUSINGS AND/OR ENGINE EXHAUST MANIFOLD SECTIONS, THUS CREATING A POTENTIAL FOR ENGINE COMPARTMENT FIRE.
## 23 Certain vehicles fail to conform to Canada Motor Vehicle Safety Standard (CMVSS) 102 Transmission Control Functions, and CMVSS 114 Theft Protection and Rollaway Prevention. A fractured park lock cable, or a defective steering lock module, may have been installed during vehicle assembly. This could allow the driver to shift out of PARK with the key in the OFF position or removed from the ignition. As well, the transmission may be shifted out of PARK without first depressing the brake pedal. The key may also be rotated to the OFF position and removed while the shifter is not in PARK. These issues could result in unintended vehicle movement, which could cause a crash resulting in property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the steering column assembly.
## 24 On certain vehicles, the relief valve o-ring seal within the brake hydro-boost module could fail. If this happens during braking applications, the driver may be able to hear an engine compartment noise similar to the sound that occurs when the steering wheel is turned to a full stop position. The driver could also experience a slight increase in steering efforts while braking and parking. Under certain driving conditions, a slight increase in the applied brake pedal effort may be required to achieve the same vehicle deceleration rate as prior to the seal failure. Correction; Dealers will inspect the hydro-boost module, and replace it, if necessary.
## 25 Certain trailer hitch accessory wiring kits may have been manufactured incorrectly and could cause a trailer brake controller malfunction. This could result in in increased stopping distances when towing a trailer, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will affect repairs.
## 26 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, replace the passenger airbag inflator. Note; This is an expansion of recalls 2013117 and 2014566.
## 27 ON VEHICLES WITH CUMMINS B SERIES ENGINES, THE HOOK SIZE FOR THE THROTTLE RETURN SPRING MAY BE TOO SMALL RESULTING IN A TIGHT FIT AROUND THE ANCHOR NUT AND/OR THE HOOK MAY BE OVERSTRESSED FOR THIS APPLICATION. EITHER CONDITION MAY LEAD TO A FRACTURE OF THE SPRING HOOK. SHOULD THIS OCCUR, THE ENGINE MIGHT NOT RETURN TO IDLE WHEN THE ACCELERATOR PEDAL IS RELEASED POSSIBLY RESULTING IN LOSS OF VEHICLE CONTROL.CORRECTION; THROTTLE RETURN SPRINGS WITH LARGER HOOKS WILL BE INSTALLED.
## 28 ON VEHICLES EQUIPPED WITH 2.6 LITRE ENGINES THE THROTTLE SHAFT MOUNTED RETURN SPRING MAY BECOME WEDGED AND PREVENT THE THROTTLE RETURNING TO THE IDLE POSITION.
## 29 On certain SRT model vehicles, the front seat position sensors may have been incorrectly installed. As a result, frontal airbags could deploy with a lower velocity than intended, increasing the risk of injury to the seat occupant. Correction; Dealers will measure the air gap between the seat track position sensor and the seat track detection plate. Seat tracks with an excessive air gap will have a metal shim installed onto the track detection plate.
## 30 On certain trucks, the cylinder head idler gear bushing may have been improperly machined, causing excessive stress on the cylinder head idler gear shaft. Continued operation in this condition could cause the idler gear shaft flange to break and generate abnormal engine noise and/or engine oil leaks. In the worst case, the engine could stall and would not restart. Correction; Dealers will inspect and, if required, replace the idler gear and bushing assembly.
## 31 CORROSION DUE TO ROAD SALT MAY PREVENT THE HOOD LATCH AND THE SAFETY CATCH FROM WORKING PROPERLY. THIS COULD RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION RESULTING IN OBSCURED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS OF AFFECTED VEHICLES WILL BE ADVISED BY MAIL REGARDING THE NECESSITY FOR PERIODIC LUBRICATION OF THE ENGINE HOOD LATCH MECHANISM. DEALERS WILL BE ADVISED TO LUBRICATE THE ENGINE HOOD MECHANISM WHENEVER AN AFFECTED VEHICLE IS BEING SERVICED.
## 32 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 33 On certain vehicles, the brake cam tubes on the drive axle may not have been greased during vehicle assembly. As a result, the brake cam journal may corrode which may lead to the brakes dragging and could result in a vehicle fire. Correction; Dealers will remove, inspect and service the brake camshaft.
## 34 On certain terminal tractors, the electrical wiring to the Anti-Lock Brake System (ABS) modulator valves from the Electronic Control Module (ECM) is incorrect. The wires to the Exhaust and Hold connections on the ABS modulator valves are reversed. In an anti-lock braking event, this will cause the ABS to malfunction. ABS performance will be degraded, increasing the risk of a crash. Correction; Dealers will install 4 modulator valve jumper harnesses.
## 35 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 36 VEHICLES WITH AUTOMATIC SPEED CONTROL MAY HAVE BEEN BUILT WITH ENGINE COMPARTMENT WIRING HARNESS FUSIBLE LINK WIRES THAT MAY BE TRAPPED UNDER THE SPEED CONTROL SERVO BRACKET. THE TRAPPED WIRES COULD RESULT IN A SHORT CIRCUIT THAT CAN IGNITE THE WIRING INSULATION AND ADJACENT PLASTIC MATERIAL. CORRECTION; VEHICLES WILL BE INSPECTED AND TRAPPED WIRING FREED WHERE REQUIRED.
## 37 Certain vehicles do not comply with the requirements of CMVSS. 121 - Air Brake Systems. A defective check valve in the air brake system caused the maximum air pressure increase to be below the required standard of 100psi. Correction; Defective check valves will be replaced with new valves.
## 38 On certain truck-mounted telescopic articulating aerial devices, the counterweight may come loose and fall while the vehicle is in motion. A counterweight separting from the vehicle could strike another vehicle, stationary object, or bystander, causing property damage and/or personal injury. Correction; Authorized service centers will secure the counterweights.
## 39 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 40 Certain vehicles, after being exposed to substantial amounts of water, may experience deployment of either the driver or passenger front airbag without a crash. The owners manual for these vehicles does not provide specific information about this situation. Inadvertent deployment of the driver and / or passenger front airbag in a non-accident (non-impact) situation may cause damage to the surrounding vehicle environment (windshield / instrument panel], and create expensive vehicle repair, including replacement of the airbag module(s) and the Sensing and Diagnostic Module (SDM). In some instances, inadvertent deployment could cause minor injuries to vehicle occupants. Correction; GM will notify the owners of these 1996 and 1997 vehicles of the potential affect of water accumulating in the vehicle interior on the function of the airbag system (as included in the owners manuals of 1998 and later model years vehicles).
## 41 Certain medium duty tilt cab trucks equipped with manual transmissions. Some of these vehicles have a condition in which the clutch master-cylinder pushrod end that attaches to the clutch pedal pin can wear prematurely. The first noticeable effect of this wear could be the clutch pedal not returning completely to the full-up position. If this occurs, the fast-idle engine speed control may not function. If the clutch master-cylinder pushrod end wears sufficiently to allow the attaching end to bend open or break off, the pedal pin would detach from the clutch rod link and the clutch would engage. If clutch engagement occurred while the vehicle was stopped, with the engine running and the transmission in gear, and if the brakes were not applied, the vehicle could move forward if the transmission were in a forward gear, or rearward if the transmission were in a reverse gear. Correction; Dealers will install a new clutch master-cylinder assembly and clutch pedal assembly.
## 42 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 43 Certain medium duty tilt cab trucks equipped with manual transmissions. Some of these vehicles have a condition in which the clutch master-cylinder pushrod end that attaches to the clutch pedal pin can wear prematurely. The first noticeable effect of this wear could be the clutch pedal not returning completely to the full-up position. If this occurs, the fast-idle engine speed control may not function. If the clutch master-cylinder pushrod end wears sufficiently to allow the attaching end to bend open or break off, the pedal pin would detach from the clutch rod link and the clutch would engage. If clutch engagement occurred while the vehicle was stopped, with the engine running and the transmission in gear, and if the brakes were not applied, the vehicle could move forward if the transmission were in a forward gear, or rearward if the transmission were in a reverse gear. Correction; Dealers will install a new clutch master-cylinder assembly and clutch pedal assembly.
## 44 NOTE; INCLUDES 1996-98 T2000 AND ALL OTHER 1996-97 KENWORTH MODELS EQUIPPED WITH CATERPILLAR 3406E ENGINES. THE ROUTING OF THE ELECTRICAL AND FUEL LINES IN THE REFERENCED ENGINES CAN CAUSE RUBBING OF THE ENGINE/ALTERNATOR HARNESS ON THE FUEL LINE AND CAN RESULT IN AN ENGINE COMPARTMENT FIRE. CORRECTION; VEHICLES WILL BE INSPECTED AND, WHERE THERE IS EVIDENCE OF WEAR DUE TO RUBBING BETWEEN THE ELECTRICAL HARNESS AND FUEL LINES, THE ELECTRICAL HARNESS AND/OR FUEL LINES WILL BE REPLACED AND ROUTED CORRECTLY.
## 45 Certain vehicles may have been built with a power steering hose that is not to specification. Under extreme steering manoeuvres, such as turning the steering wheel fully to the left or right while braking, the hose may fracture and leak fluid. If this were to occur, power steering assist would be lost and increased steering effort would be required. On vehicles equipped with hydro-boost power brakes, it could also result in loss of power brake assist and increase braking effort would be required. If power steering fluid were to spray onto hot engine parts, an engine compartment fire could occur. Correction; Dealers will inspect the power steering hose(s) for two suspect date codes and replace them if required.
## 46 THE PARKING PAWL INSIDE THE ATUOMATIC TRANSMISSION MAY NOT COMPLETELY ENGAGE WHEN THE SHIFT LEVER IS PLACED IN THE PARK (P) POSITION. IF THIS CONDITION OCCURS AND THE PARKING BRAKE IS NOT ENGAGED, THE VEHICLE COULD ROLL FREE.
## 47 Certain vehicles do not comply with the requirements of CMVSS 121 - Air Brake Systems. Vehicles may not meet the requirements for brake application timing due to incorrect air line routing. Correction; Vehicles will be inspected for correct air line routing and air lines rerouted if necessary.
## 48 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 49 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 50 On certain vehicles, the parking brake could partially release without warning. This could result in unintended vehicle movement and increase the risk of a crash causing injury and/or property damage. Correction; Dealers will install a redesigned parking brake lever assembly.
## 51 NOTE; VEHICLES EQUIPPED WITH BENDIX AUTOMATIC TRACTION RELAY VALVE.THE TRACTION RELAY VALVE SOLENOID EXHAUST CAN BE OBSTRUCTED DUE TO BUILD UP OF ROAD CONTAMINATION, WHICH MAY FREEZE DURING COLD WEATHER OPERATION. THE OBSTRUCTED EXHAUST MAY, WITHOUT WARNING, AND AFTER A BRAKING TRACTION EVENT, KEEP THE REAR BRAKES APPLIED WITHOUT ANY BRAKE PEDAL MOVEMENT BY THE DRIVER. CORRECTION; A NEW TRACTION RELAY VALVE ASSEMBLY WILL BE INSTALLED ON AFFECTED VEHICLES.
## 52 On certain vehicles, a defect in the ignition switch could allow the switch to move out of the run position if the key ring is carrying added weight or the vehicle goes off-road or is subjected to some other jarring event. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; For each key, dealers will install two key rings and modify the key ring opening shape. Note; Until the correction is performed, all items should be removed from the key ring.
## 53 MOVEMENT OF THE FRONT SUSPENSION MAY DEFORM THE LEFT ENGINE MOUNT SUPPORT STRUCTURE AND ALLOW THE ENGINE MOUNT BRACKET TO CONTACT THE STEERING PITMAN ARM OR STEERING LINKAGE. THIS CONDITION MAY INCREASE STEERING EFFORT AND MAY RESULT IN DIFFICULTY IN RETURNING THE STEERING WHEEL TO A STRAIGHT AHEAD POSITION FROM A SHARP RIGHT TURN.
## 54 Certain vehicles located in Ontario, Quebec, New Brunswick, Nova Scotia, Prince Edward Island, and Newfoundland and Labrador may experience unwanted Antilock Brake System (ABS) activation and increased stopping distances during low-speed brake application (less than 16 km/h and greater than 6 km/h). This condition does not set any ABS codes nor does it illuminate the ABS warning lamp. Correction; Dealers will remove the wheel speed sensor and thoroughly clean the wheel speed sensor mounting surface on the bearing, apply Zinc-X to the cleaned surface, grease the mounting surface, reinstall the wheel speed sensor, and check the output voltage to ensure the wheel speed signal is within specifications.
## 55 On certain trucks, the air compressor may not built enough air pressure to support the air brake system. If this condition were to occur while the vehicle is stationary (brake applied], the air brakes would remain applied and prevent the vehicle from moving. Should it occur while the vehicle is in motion, the rear spring parking brakes would engage, slowing the vehicle to a stop, and preventing it from being driven. Correction; Dealers will inspect the air compressor for its ability to build air pressure, and either modify the air compressor by eliminating the suppression valve or replace the air compressor assembly altogether.
## 56 THE FRONT ENGINE MOUNT BRACKET BOLTS MAY LOOSEN IN SERVICE AND FALL OUT. THIS CONDITION COULD RESULT IN ENGINE MOUNT BRACKET FAILURE CAUSING A LOSS OF POWER TO THE DRIVE WHEELS.
## 57 Certain trucks equipped with Bendix SR-7 spring brake modulating valve may experience an internal air leak if the check valve fails to seat. This may cause a delay in the application of the parking spring brakes leading to an unintended vehicle rollaway. Correction; Dealers will replace the Bendix SR-7 valve and the Parker single check valve.
## 58 A WIRE INSIDE THE ELECTRIC MOTOR DRIVEN GEARBOX ACTUATOR MAY COME INTO CONTACT WITH THE INNER FACE OF THE ASSEMBLY CASE, CAUSING FRETTING OF THE WIRE AND ALSO CAUSING THE FUSE PROTECTING THE CIRCUIT TO BLOW IF THIS OCCURS IT WOULD NOT BE POSSIBLE TO ENGAGE THE DESIRED GEAR RANGE AND MAY NOT BE POSSIBLE TO RESTART THE VEHICLE AFTER THE ENGINE HAS BEEN SWITCHED OFF. IF PARK IS NOT ENGAGED AND THE DRIVER DOES NOT APPLY THE PARKING BRAKE, A ROLL AWAY COULD OCCUR. CORRECTION; AFFECTED WIRE WILL BE REPOSITIONED.
## 59 A WIRE INSIDE THE ELECTRIC MOTOR DRIVEN GEARBOX ACTUATOR MAY COME INTO CONTACT WITH THE INNER FACE OF THE ASSEMBLY CASE, CAUSING FRETTING OF THE WIRE AND ALSO CAUSING THE FUSE PROTECTING THE CIRCUIT TO BLOW IF THIS OCCURS IT WOULD NOT BE POSSIBLE TO ENGAGE THE DESIRED GEAR RANGE AND MAY NOT BE POSSIBLE TO RESTART THE VEHICLE AFTER THE ENGINE HAS BEEN SWITCHED OFF. IF PARK IS NOT ENGAGED AND THE DRIVER DOES NOT APPLY THE PARKING BRAKE, A ROLL AWAY COULD OCCUR. CORRECTION; AFFECTED WIRE WILL BE REPOSITIONED.
## 60 On certain vehicles, the slack adjuster housings may have been manufactured incorrectly, which could allow the housings to fracture and fail. As a result, the wheel brake to which the slack adjuster is attached would no longer function, which could increase vehicle stopping distances. Should a steer axle slack adjuster fail, it could also cause the vehicle to pull to one side during braking. Either problem could result in a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the slack adjusters.
## 61 On certain truck-mounted telescopic articulating aerial devices, the outrigger cylinder piston retention system may not have been sufficiently tightened during the assembly process. As a result, the cylinder could loosen from the rod, allowing an outrigger leg in the stowed position to protrude beyond the confines of the chassis. As such, the outrigger could strike a vehicle, stationary object, or a bystander, causing property damage and/or personal injury. Correction; Dealers will tighten the outrigger cylinder piston retention system to the specified torque.
## 62 TRUCKS EQUIPPED WITH 6.9 LITRE ENGINES. THESE VEHICLES MAY NOT COMPLY WITH CMVSS 301 - FUEL SYSTEM INTEGRITY.
## 63 Certain vehicles may have a drivers side airbag inflator that could fracture at a weld during a deployment. Pieces of the inflator could strike and injure vehicle occupants and the airbag cushion would not inflate fully, reducing the capacity of the bag to protect the driver. Correction; Dealers are to inspect and if necessary replace the driver side airbag module assembly.
## 64 A WIRE INSIDE THE ELECTRIC MOTOR DRIVEN GEARBOX ACTUATOR MAY COME INTO CONTACT WITH THE INNER FACE OF THE ASSEMBLY CASE, CAUSING FRETTING OF THE WIRE AND ALSO CAUSING THE FUSE PROTECTING THE CIRCUIT TO BLOW IF THIS OCCURS IT WOULD NOT BE POSSIBLE TO ENGAGE THE DESIRED GEAR RANGE AND MAY NOT BE POSSIBLE TO RESTART THE VEHICLE AFTER THE ENGINE HAS BEEN SWITCHED OFF. IF PARK IS NOT ENGAGED AND THE DRIVER DOES NOT APPLY THE PARKING BRAKE, A ROLL AWAY COULD OCCUR. CORRECTION; AFFECTED WIRE WILL BE REPOSITIONED.
## 65 On certain motorcycles, bending or kinking of the braided metal throttle cable could eventually result in a significantly increased operating effort in order to open and close the throttle with the twist grip. This could lead to reduced driver control. Correction; Vehicle will be inspected and throttle cable and support replaced if required.
## 66 A WIRE INSIDE THE ELECTRIC MOTOR DRIVEN GEARBOX ACTUATOR MAY COME INTO CONTACT WITH THE INNER FACE OF THE ASSEMBLY CASE, CAUSING FRETTING OF THE WIRE AND ALSO CAUSING THE FUSE PROTECTING THE CIRCUIT TO BLOW IF THIS OCCURS IT WOULD NOT BE POSSIBLE TO ENGAGE THE DESIRED GEAR RANGE AND MAY NOT BE POSSIBLE TO RESTART THE VEHICLE AFTER THE ENGINE HAS BEEN SWITCHED OFF. IF PARK IS NOT ENGAGED AND THE DRIVER DOES NOT APPLY THE PARKING BRAKE, A ROLL AWAY COULD OCCUR. CORRECTION; AFFECTED WIRE WILL BE REPOSITIONED.
## 67 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 135 - Brake Systems. During the manufacturing process, the parking brake controller assembly bracket may have been improperly formed. This could result in the pawl to not engage the sector gear during actuation and the parking brake not fully engaging. If the transmission is in Park, there will be no unintended vehicle movement. If the transmission is left in a gear other than Park, and the vehicle is parked on a sufficient slope, a non-functioning parking brake could result in unintended vehicle movement, increasing the risk of a crash causing injury and/or property damage. Correction; Dealers will inspect, and if necessary, replace the parking brake control assembly.
## 68 VEHICLES EQUIPPED WITH 302 CID ENGINES AND AIR CONDITIONING. FLEXIBLE FIVE-BLADE ENGINE COOLING FAMS MAY BE SUBJECT TO HIGH BLADE STRESSES RESULTING FROM RESONANT VIBRATION. THIS CONDITION CAN RESULT IN FATIGUE CRACKING OF THE BLADES AND SEPARATION OF FRAGMENTS FROM THE ROTATING FAN. THIS COULD RESULT IN DAMAGE TO UNDERHOOD COMPONENTS AND/OR INJURY TO SERVICE PERSONNEL.
## 69 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 70 On certain vehicles, the TRW Model 410M ECU (Electronic Control Unit) can misinterpret particular false wheel speed signals generated from any of the following conditions; An incorrect gap between the sensor and tone ring, a chaffed sensor wire, connector corrosion, sensor vibration or quality of harness and pin-outs. If one of these conditions occurs, the ECU could not distinguish between an actual low friction event on road surface and a low amplitude sensor signal and would activate the ABS brakes, instead of deactivating the ABS in response to a false signal. The driver would experience a hard brake pedal during the middle to end of a braking event and a decrease in deceleration at the end of the stop. The driver may experience an unexpected extended stopping distance, which could result in a collision. The ABS warning indicator light may not come on to warn the driver of a system malfunction. Correction; Dealer will affect repairs. Note; recall superseded by 2004171 and 2004172.
## 71 A SMALL NYLON BUSHING IN THE CRUISE CONTROL SERVO BAIL (BRACKET) MAY SLIP OUT OF PLACE RESULTING IN POSSIBLE INTERMITTENT INCREASES IN ENGINE SPEED OR DIESELING. THIS CONDITION COULD ALSO CAUSE THE SERVO ROD ASSEMBLY TO WEAR THROUGH THE BALL AND CATCH ON OTHER COMPONENTS POSSIBLY RESULTING IN A STUCK THROTTLE. THIS COULD RESULT IN LOSS OF VEHICLE CONTROL AND A POSSIBLE CRASH. CORRECTION; A BUSHING KIT WILL BE INSTALLED ON THE CRUISE CONTROL SERVO BAIL.
## 72 ANTI-WHEEL LOCK VALVES SUPPLIED BY EATON CORPORATION MAY BE EXPOSED TO ACCUMULATED CONCENTRATIONS OF FLUID CONTAMINANTS IN THE AIR BRAKE SYSTEM THAT COULD CAUSE THE PISTON TO STICK THEREBY PREVENTING ANY AIR FROM BEING DELIVERED TO THE AIR BRAKE CHAMBERS SUPPLIED BY THAT VALVE. LTHIS CONDITION WILL RESULT IN A NO BRAKE APPLICATION ON THE AFFECTED AXLE, THEREBY EXTENDING VEHICLE STOPPING DISTANCES.
## 73 MEDIUM AND HEAVY DUTY TRUCKS EQUIPPED WITH EATON ANTI-LOCK AIR BRAKE SYSTEM. THE PISTON IN THE ANTI-LOCK RELAY VALVES MAY EXPAND WHEN EXPOSED TO CERTAIN FLUID CONTAMINATES WHICH MAY BE FOUND IN THE AIR BRAKE SYSTEM. EXPANDED PISTONS CAN STICK OR JAM IN THE VALVES AND PREVENT AIR DELIVERY TO THE BVRAKE CHAMBERS CAUSING A LOSS OF BRAKING POWER ON THE AFFECTED AXLE. THIS CONDITION WOULD RESULT IN LONGER STOPPING DISTANCES.
## 74 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 75 Certain vehicles may have a drivers side airbag inflator that could fracture at a weld during a deployment. Pieces of the inflator could strike and injure vehicle occupants and the airbag cushion would not inflate fully, reducing the capacity of the bag to protect the driver. Correction; Dealers are to inspect and if necessary replace the driver side airbag module assembly.
## 76 MEDIUM AND HEAVY DUTY TRUCKS EQUIPPED WITH EATON ANTI-LOCK AIR BRAKE SYSTEM. THE PISTON IN THE ANTI-LOCK RELAY VALVES MAY EXPAND WHEN EXPOSED TO CERTAIN FLUID CONTAMINATES WHICH MAY BE FOUND IN THE AIR BRAKE SYSTEM. EXPANDED PISTONS CAN STICK OR JAM IN THE VALVES AND PREVENT AIR DELIVERY TO THE BVRAKE CHAMBERS CAUSING A LOSS OF BRAKING POWER ON THE AFFECTED AXLE. THIS CONDITION WOULD RESULT IN LONGER STOPPING DISTANCES.
## 77 On certain vehicles, only 8 bolts were installed in the brake group during axle build up. The brake group, an assembly that includes the brake shoes, springs, air chambers, slack adjusters, and spider, is normally attached to an axle housing with 9 bolts. A failure of the brake group connection to the axle may result in a sudden loss of braking ability. Correction; Dealers will inspect and, if missing, install the 9th bolt and re-torque the entire assembly.
## 78 On certain police motorcycles equipped with Anti-Lock Brake Systems (ABS], inconsistencies in the routing of the brake lines can cause abrasion of the brake lines and hoses. In some cases, this condition has caused brake fluid leaks. Loss of brake fluid could lead to a loss of brake function, which could result in a crash causing personal injuries or death. Correction; Dealers will inspect and, if necessary, replace the brake lines. Brake line retention and clutch cable positioning devices will also be installed to prevent future abrasion to the brake lines.
## 79 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 80 On certain trucks equipped with an Anti-lock Brake System (ABS], water could enter the ground wire casing and travel to the ABS hydraulic unit connector. If water invasion occurs, the connector terminals could become corroded, which could affect the hydraulic motor circuit in a manner that the motor would operate continuously. This could cause the hydraulic motor to overheat and catch on fire, which could result in property damage, personal injury or death. Correction; Dealers will replace the ground wiring sub harness and inspect the ABS hydraulic unit for corrosion. If corrosion exists, the unit will be replaced.
## 81 EXTREME OPERATING CONDITIONS COULD CAUSE PREMATURE DETERIORATION OF THE ENGINE COMPARTMENT HEATER HOSES OR ENGINE BYPASS HOSES. ENGINE COOLANT COULD DISCHARGE ONTO THE ENGINE AND ITS EXHAUST MANIFOLD CREATING THE POTENTIAL FOR A FIRE DUE TO HIGH ENGINE EXHAUST MANIFOLD TEMPERATURES. CORRECTION; HOSES AND RADIATOR CAPS WILL BE REPLACED AND ON CERTAIN VEHICLES, A HIGH HEAT RESISTANCE ALUMINIZED STAINLESS STEEL MUFFLER WILL BE INSTALLED.
## 82 Certain vehicles fail to comply with requirements of CMVSS 121 - Air Brake System. The air lines were incorrectly constructed with only four layers of extruded nylon material, instead of the specified five layers. Should the air lines develop a leak, while the vehicle is in motion, it could cause the air brake system to fail, which would engage the rear spring brakes, slowing the vehicle to a stop, and preventing it from being driven. Correction; Dealers will inspect and, if required, replace the air lines.
## 83 On certain fire trucks, high speed cycling applications of the two-way Midland check valve by engagement of the Automatic Traction Control (ATC) system can cause the internal piston on the check valve to deteriorate. If this occurs, metal particles might break off the piston and obstruct the rear brake control valve. The obstruction might cause a loss of air pressure to a wheel brake chamber, resulting in a reduction of vehicle braking force, which in turn could lengthen the expected braking distance. Correction; Dealers will replace the two-way check valve.
## 84 This vehicle may contain inadequate side airbag inflators. The airbag inflators were produced with an insufficient amount of the heating agents which apply heat to the argon gas in the inflator. In this condition, expansion force of the gas in the inflator may be insufficient to properly inflate the airbag when the system is activated during a collision, which can increase the risk of injury. Correction; Dealer will replace the side airbag module.
## 85 On certain vehicles, the Bosch Zero Offset Pin Slide (ZOPS) hydraulic disc brakes may experience calipers sticking in the applied position, which can result in excessive or abnormal heat generation at one or more of the brakes. In bus applications, the combination of the following factors may collectively result in an unreasonable risk to motor vehicle safety; potential fire at a wheel end, high incident rates of stuck calipers, and evacuation and containment concerns relating to multiple passengers. Correction; Dealers will affect repairs. This is an expansion of Recall 2003053.
## 86 On certain vehicles equipped with seven seats, the Inflatable Curtain (IC) air bag may not deploy as intended for third row passengers. In the event of a collision that warrants a deployment of the Inflatable Curtain, the interior trim panel on the D-pillar(s) could obstruct the IC from inflating fully. If this were to occur, it could increase the risk of injury to third row seat occupant(s) in certain types of crashes. Correction; Dealers will modify the D-Pillar interior panels to allow full inflation of the inflatable curtain air bag.
## 87 On certain vehicle equipped with Fontaine light weight fixed position fifth wheels, the fifth wheel mounting plate may develop a crack in the area where the legs of the fifth wheel are welded to the base plate. This could result in eventual trailer separation. Correction; Fifth wheel base plate will be inspected and if a crack is found, the base plate will be replaced.
## 88 On certain vehicles, a defect in the modulated spring brake valve casting may cause an intermittent delay in the application of the park brake. This could cause the vehicle to roll away without warning, possibly causing personal injury. Correction; Dealers will inspect valves for a suspect date code and cavity number. Defective valves will be replaced.
## 89 THE MICRO-SWITCH FOR THE STOP LAMPS MAY FAIL, CAUSING THE LAMPS TO REMAIN CONTINUOUSLY ILLUMINATED OR TO FAIL TO ILLUMINATE. IF THIS OCCURS, APPLICATION OF THE BRAKES WOULD NOT BE SIGNALLED TO FOLLOWING VEHICLES, CREATING THE POTENTIAL FOR A COLLISION. CORRECTION; STOP LAMP SWITCH WILL BE REPLACED WITH AN IMPROVED SWITCH.
## 90 Certain vehicles may have loose or missing underbody heat shields. Missing underbody heat shields on vehicles could lead to degradation or possibly melting of the fuel or vapor lines, increasing the risk of a fire, which could result in injury and/or damage to property. Correction; Dealers will inspect for missing underbody heat shields and fasteners, and install missing components as required.
## 91 THE RIGHT (CURB) SIDE CAB ENTRY GRAB HANDLE MOUNTING REINFORCEMENTS MAY HAVE BEEN OMIITED. THE MISSING REINFORCEMENTS MAY ALLOW THE GRAB HANDLE TO LOOSEN, CAUSING A POTENTIAL FOR PERSONAL INJURY. CORRECTION; DEALERS WILL INSPECT AND INSTALL REINFORCEMENT BRACKETS AS REQUIRED.
## 92 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 93 THE DISCHARGE OF STATIC ELECTRICITY UNDER LOW HUMIDITY CONDITIONS COULD ACTIVATE THE DRIVER SIDE AIR BAG WHEN THE DRIVER ENTERS OR EXITS THE VEHICLE AND FORMS AN ELECTRICAL SHORT CIRCUIT BY TOUCHING CERTAIN AREAS OF THE STEERING WHEEL. ACTIVATION OF THE AIR BAG UNDER THESE CONDITIONS COULD CAUSE INJURY.CORRECTION; A GROUND WIRE WILL BE INSTALLED ON AFFECTED VEHICLES.
## 94 NOTE; VEHICLES EQUIPPED WITH BENDIX AUTOMATIC TRACTION RELAY VALVE.THE TRACTION RELAY VALVE SOLENOID EXHAUST CAN BE OBSTRUCTED DUE TO BUILD UP OF ROAD CONTAMINATION, WHICH MAY FREEZE DURING COLD WEATHER OPERATION. THE OBSTRUCTED EXHAUST MAY, WITHOUT WARNING, AND AFTER A BRAKING TRACTION EVENT, KEEP THE REAR BRAKES APPLIED WITHOUT ANY BRAKE PEDAL MOVEMENT BY THE DRIVER. CORRECTION; A NEW TRACTION RELAY VALVE ASSEMBLY WILL BE INSTALLED ON AFFECTED VEHICLES.
## 95 On certain vehicles, incorrect coating was applied to the parking brake assembly anchor bolt during fabrication. This could reduce the fatigue life of the bolt and lead to premature failure. If this bolt were to fail, there is a potential for the truck to roll away while parked without warning. Correction; Dealers will inspect and, if required, replace defective bolts.
## 96 On certain vehicles equipped with sunroofs, headliner plates may detach from the headliner during a side curtain airbag deployment and could strike vehicle occupants. This could increase the risk of injury. Correction; Dealers will apply adhesive strips to the headliner plates.
## 97 On certain 1999-2002 1500 series and 2001-2005 2500 and 3500 series trucks equipped with a manual transmission, the parking brake friction lining may wear to an extent where the parking brake can become ineffective in immobilizing a parked vehicle. Correction; Dealers will install a low-force spring clip retainer on vehicles equipped with PBR parking brake system and install a redesigned parking brake cable assembly on vehicle equipped with a TRW parking brake system.
## 98 THE ABS HYDRAULIC ACTUATOR MAY CONTAIN AIR BUBBLES THAT COULD GET INTO THE BRAKE SYSTEM. THIS COULD CAUSE INCREASED BRAKE PEDAL TRAVEL AND INCREASED STOPPING DISTANCES.CORRECTION; SYSTEM WILL BE PURGED OF ALL AIR. NOTE; NO VEHICLES HAVE AS YET BE RETAILED. ALL AFFECTED VEHICLES WILL BE INSPECTED/REPAIRED PRIOR TO DELIVERY.
## 99 On certain vehicles, the hydraulic brake boosters pressure accumulator may crack and/or separate from the Hydro-Boost assembly during normal vehicle operating conditions. If a separation occurred and the hood of the vehicle was open, fragments from the accumulator could cause injury to people in the immediate area. In addition, the presence of this crack or fractured surface could allow the hydraulic fluid to leak from the accumulator circuit of the booster assembly. The loss of fluid would cause increased steering and braking effort. Correction; Dealers will test and, if necessary, replace the Hydro-Boost assembly.
## 100 Certain vehicles do not comply with the requirements of CMVSS. 105 - Hydraulic Brake Systems. The right hand ABS module feed pipe and/or brake crossover pipe tube nuts may have been tightened without seating the pipe flared ends enough to withstand normal assembly and vehicle inputs without partially unseating. If the seating seal is broken, brake fluid leakage could occur. Correction; Dealers will inspect the union for signs of brake fluid and, if necessary, install a new union.
## 101 On certain vehicles, electrical circuitry in the steering wheel assembly may become damaged. As a result, the drivers airbag may not function as intended, causing the instrument panel airbag warning lamp to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of injury to the seat occupant. Correction; Dealers will replace the spiral cable assembly.
## 102 Certain vehicles may not comply with Canada Motor Vehicle Safety Standard 208 - Occupant Protection in Frontal Impacts. Prescribed text may have been omitted from the airbag warning label in the French language only. As a result, the French-language warning label is more restrictive than the English. Correction; No corrective recall action is required as this technical non-compliance is deemed to be non-safety related.
## 103 Chrysler Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Chrysler Canada will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015228. Please see recall 2015228 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information</a>
## 104 On certain vehicles, the brake booster vacuum hose port in the base of the carburetor could become blocked with frozen moisture after an extended period of highway driving at low ambient temperatures. This may result in intermittant loss of brake power assist on a second application of the brake pedal. Correction; the brake booster vacuum hose will be relocated to the intake manifold.
## 105 On certain vehicles, the caliper mounting fasteners attaching the air disc brake caliper assembly to the torque plate may have received insufficient tightening torque during the assembly process. Insufficient torque may allow the caliper mounting fasteners and/or the caliper itself to become loose. This could cause the brake on the affected wheel end to become inoperable. Extended stopping distance could result in a vehicle crash causing property damage, personal injury or death. Correction; Dealers will replace caliper mounting fasteners and inspect the caliper assembly.
## 106 On certain vehicles, the brake pedal push rod that activates the service brakes may fracture. This could result in a vehicle crash without prior warning. Correction; Brake pedal push rod will be replaced with one of a larger diameter.
## 107 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 108 On certain trucks equipped with Bendix ATR-6 Antilock Traction Relay valves, in extremely cold conditions (at or below -18 degrees Celsius], internal ATR valve leakage can occur. This could cause unintended brake application, which could overheat the affected brakes and cause a fire. Also, in certain low traction conditions, unexpected brake application can cause a loss of vehicle control and a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will update the cover assembly on the ATR valves.
## 109 On certain Dyna, Xl and Touring model motorcycles, the tail light bulb can fall out of the socket, thereby rendering the tail light and the brake light inoperative, which could lead to a crash, causing the possibility of death or injury to the rider. Correction; Dealers will replace the Wagner (original equipment supplier) bulbs with Sylvania (supplier) bulbs which provide the proper fit into the sockets.
## 110 On certain vehicles, the fasteners securing the passenger front air bag module may not have been tightened to the proper torque specification. If the fasteners were not tightened properly, they may loosen over time and cause a rattling noise. In the event of a crash, the passenger front airbag may not deploy properly, resulting in the risk of personal injury or death. Correction; Dealers will inspect the air bag module fasteners and torque them to specification.
## 111 THE AIR DEFLECTOR MAY BE INADEQUATELY BONDED TO THE TRUCK BODY AND MAY SEPARATE AT HIGH SPEED. A DETACHED DEFLECTOR COULD BE HAZARDOUS TO OTHER VEHICLES. CORRECTION; AIR DEFLECTORS WILL BE INSPECTED FOR SIGNS OF SEPARATION. IF SIGNS OF SEPARATION ARE FOUND, THE DEFLECTOR WILL BE REFASTENED USING RIVETS.
## 112 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2014567. Correction; Dealers will inspect/replace the drivers frontal airbag inflator. All vehicles having received a replacement inflator as part of any previous drivers inflator campaign will have a replacement inflator installed. Note; Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 113 A DEFECTIVE THROTTLE VALVE LOCATED INSIDE THE HYDRAULIC BRAKE BOOSTER, MAY DEFORM FROM A BUILDUP OF HEAT AND PRESSURE AND CLOSE OFF THE HYDRAULIC FLUID RETURN PORTS. THIS WOULD CAUSE EXCESSIVE PRESSURE TO BUILD UP IN THE BOOSTER AND CAUSE THE BRAKES TO SELF APPLY AND FORCE AN UNEXPECTED SEVERE STOP. THIS CONDITION WOULD ALSO CAUSE LOSS OF POWER STEERING ASSIST ON VEHICLES EQUIPPED WITH POWER STEERING. THIS DEFECT CAN RESULT IN LOSS OF CONTROL AND A CRASH WITHOUT PRIOR WARNING. CORRECTION; BRAKE BOOSTER ASSEMBLY WILL BE REPLACED.
## 114 On certain police motorcycles equipped with Anti-Lock Brake Systems (ABS], inconsistencies in the routing of the brake lines can cause abrasion of the brake lines and hoses. In some cases, this condition has caused brake fluid leaks. Loss of brake fluid could lead to a loss of brake function, which could result in a crash causing personal injuries or death. Correction; Dealers will inspect and, if necessary, replace the brake lines. Brake line retention and clutch cable positioning devices will also be installed to prevent future abrasion to the brake lines.
## 115 Certain vehicles may develop a crack in the left frame rail near the point of power steering gear attachment. If the crack progresses through most or all of the rail section, some wandering or mushy steering sensation may be experienced due to increased steering system free play but the operator would not lose control of the vehicle.
## 116 Certain vehicles may have an Antilock Braking System (ABS) motor containing an out of specification spring clip which could in time become misaligned. This could cause retainer bearing friction, higher motor current draw and eventually render the ABS non-functional. This would cause the warning lights to illuminate and the Dynamic Rear Proportional (DRP) system to become inoperative. The base brakes would still remain functional and if the operator were to ignore the red brake warning light, the higher rear brake input could cause rear wheel lock up with the possibility of a crash. Correction; Dealers will replace the back pressure module valve assembly.
## 117 Note; Vehicles equipped with Bendix-10 Antilock Brake System (ABS) Vehicles with ABS brakes may experience premature actuator piston seal wear in the ABS hydraulic control unit and/or actuator pump motor deterioration. If this occurs, the ABS function may be lost and reduced power assist may be experienced during vehicle braking. Correction; Vehicles with ABS malfunction will be repaired as necessary. Warranty on all ABS components will be extended to 10 years or 160,000 km (except for the brake actuator piston assembly and the pump-motor assembly which will have lifetime coverage).
## 118 On certain vehicles, a manufacturing defect in the dashboard could result in improper deployment of the passenger front airbag in a crash. This could increase the risk of injury to the front passenger. Correction; Dealers will replace the dashboard.
## 119 RANGER/BRONCO II - 2.9 LITRE ENGINES TAURUS/SABLE - 3.0 LITRE ENGINES NOTE; VEHICLES LOCATED IN NEWFOUNDLAND, NOVA SCOTIA, NEW BRUNSWICK AND PRINCE EDWARD ISLAND. THE THROTTLE MAY STICK IN AN OPEN POSITION DUE TO LINKAGE BINDING CAUSED BY CORROSION. THIS WOULD CAUSE THE ENGINE TO RUN AT HIGHER THAN IDLE SPEED WHEN THE THROTTLE IS RELEASED AND COULD ADVERSELY AFFECT DRIVER CONTROL RESULTING IN A POSSIBLE CRASH. CORRECTION; ON VEHICLES WITH 2.9 LITRE ENGINES, DEALERS WILL CLEAN, MODIFY AND LUBRICATE THE HUB PIN AND LEVER BUSHINGS WITH A MARINE-TYPE ANTI-SEIZE GREASE. ADDITIONALLY, ON VEHICLES WITH 3.0 LITRE ENGINES, THE HUB PIN LEVER ASSEMBLY WILL BE REPLACED. NOTE; THIS RECALL HAS BEEN SUPERSEDED BY RECALL NO. 91021.
## 120 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes recalls 2013113, 2014224 and 2015197. Correction; All vehicles having not received a replacement inflator as part of the previous recall will now have a replacement inflator installed by dealers.
## 121 NOTE; VEHICLES EQUIPPED WITH ROCKWELL WABCO SYSTEM SAVER 1000 AIR DRYERS.IN AIR BRAKE SYSTEMS REQUIRING A LARGE VOLUME OF AIR TO PASS THROUGH THE DRYER IN A SHORT PERIOD OF TIME, THE DRYER CANNOT REMOVE ALL OF THE MOISTURE FROM THE AIR. IN A COLD ENVIRONMENT THIS MOISTURE MAY FREEZE AND EFFECTIVELY BLOCK THE AIR LINES DOWNSTREAM OF THE DRYER RESULTING IN AN AIR PRESSURE BUILD UP IN THE DRYER. THIS AIR PRESSURE MAY EVENTUALLY CAUSE THE DRYER CARTRIDGE TO SEPARATE FROM THE DRYER. THE SEPARATED CARTRIDGE MAY CAUSE BODILY INJURY TO ANYONE STANDING NEAR THE DRYER AT THE INSTANT OF SEPARATION.CORRECTION; PRESSURE RELIEF VALVES WILL BE INSTALLED IN THE DRYER OUTLET PORTS ON THE AFFECTED VEHICLES.
## 122 On certain school and transit buses, the Parker single check valve (SCV) that connects with the supply port of the Bendix SR-7 spring brake modulating valve may become excessively worn and eventually break apart. Pieces of the Parker SCV can become lodge inside the SR-7 valve, possibly causing either leakage out of the SR-7 valve or preventing air from properly exhausting from the SR-7 valve. This condition can cause a delay in the application of the parking brakes, the spring brakes not fully releasing or loss of isolation between the primary and secondary circuits. These conditions can occur without warning, leading to unintended vehicle rollaway, brake drag, or in case of loss of primary circuit, inability to modulate the spring brakes. An unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will replace the single check valve (SCV).
## 123 On certain vehicles, the cotter pin securing the joint pin connecting the rear brake pedal to the master cylinder rod assembly may fail. If the cotter pin breaks, the joint pin can become loose, disconnecting the brake pedal from the master cylinder rod assembly resulting in loss of rear braking ability. Loss of rear braking could cause the rider to lose control and a crash could occur. Correction; A new cotter pin with instructions for installation will be sent to owners of affected vehicles.
## 124 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall is superseded by recall 2015269. Please see recall 2015269 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015269>Click here for more information</a>
## 125 ON VEHICLES EQUIPPED WITH ANTI-LOCK BRAKES (ABS], ONE OR BOTH ABS HYDRAULIC UNIT MOUNTING BOLTS MAY NOT BE PROPERLY SEATED. THIS COULD CAUSE INCREASED PEDAL TRAVEL AND/OR POOR PEDAL FEEL IF THE ATTACHMENT LOOSENS. ALSO, THE ABS HYDRAULIC UNIT COULD SEPARATE FROM ITS MOUNTING BRACKET RESULTING IN LOSS OF BRAKES AND A POSSIBLE VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION; ABS HYDRAULIC UNIT MOUNTING BOLTS WILL BE REPLACED.
## 126 On certain vehicles, the cotter pin securing the joint pin connecting the rear brake pedal to the master cylinder rod assembly may fail. If the cotter pin breaks, the joint pin can become loose, disconnecting the brake pedal from the master cylinder rod assembly resulting in loss of rear braking ability. Loss of rear braking could cause the rider to lose control and a crash could occur. Correction; A new cotter pin with instructions for installation will be sent to owners of affected vehicles.
## 127 TRUCKS EQUIPPED WITH MACK 6 CYLINDER ENGINES AND FLEXIBLE BLADE ENGINE COOLING FANS. THE FLEXIBLE BLADE FANS MAY DEVELOP FATIGUE CRACKS IN THE LAMINATED STIFFENER. CONTINUED ENGINE OPERATION COULD CAUSE A PIECE OF THE STIFFENER TO BREAK OFF AND BE PROPELLED OUTSIDE OF THE FAN SHROUD. A PROPELLED FRAGMENT COULD CAUSE INJURY TO SERVICE PERSONNEL IN THE VICINITY OF AN OPERATING ENGINE.
## 128 V.I.N. XJ12 - 310613 TO 431598 XJS - 104146 TO 125224 A POTENTIAL EXISTS FOR LEAKAGE FROM THE FUEL DELIVERY SYSTEM WHICH COULD RESULT IN ENGINE COMPARTMENT FIRES.
## 129 On certain vehicles, the adjustable pedal assembly may have excess grease that could potentially enter the stop lamp switch and contaminate the contacts. This could lead to a build up of carbon, and potentially a short circuit. A short circuit could either cause the stop lamps to remain on, or cause a loss of stop lamp function. Correction; Brake lamp switch will be replaced and excess grease will be wiped off the adjustable pedal assembly.
## 130 On certain vehicles, the front passenger seat occupant classification system software may incorrectly classify the passenger seat as empty, when it is occupied by an adult. If this occurs, the passenger airbag would be deactivated without the illumination of the airbag warning lamp. Failure of the passenger airbag to deploy during a crash (where deployment is warranted) could increase the risk of injury to the seat occupant. Correction; Dealers will reprogram the occupant classification system.
## 131 On certain vehicles, a defect may allow the ignition key to be removed from the ignition switch when the key is not in the Off position. This could result in unintended vehicle movement if the transmission is not in the park position (automatic transmission) or not in the reverse gear with the parking brake engaged (manual transmission], and increase the risk of a crash causing injury and/or property damage. Correction; Dealers will replace the ignition lock cylinder and/or ignition key.
## 132 On certain trucks, the sunshade (an exterior visor mounted above the windshield) may not have been fastened to the cab roof correctly during the manufacturing process. A sunshade separating from the vehicle could strike another vehicle, a stationary object, or a bystander, causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, secure the sunshade mounts.
## 133 On certain vehicles, a defect may allow the ignition key to be removed from the ignition switch when the key is not in the Off position. This could result in unintended vehicle movement if the transmission is not in the park position (automatic transmission) or not in the reverse gear with the parking brake engaged (manual transmission], and increase the risk of a crash causing injury and/or property damage. Correction; Dealers will replace the ignition lock cylinder and/or ignition key.
## 134 On certain vehicles, the cup plug which retains the park pawl anchor shaft in the 42RLE automatic transmission could be missing or not properly staked in its bore, potentially allowing the shaft to move out of position and preventing the transmission from being placed in the PARK position. If this occurs and the parking brake is not applied, the vehicle may roll away and cause an accident without warning. Correction; Dealers will install a bracket to ensure that the park pawl anchor shaft is retained in the proper position.
## 135 On certain vehicles, the Anti-lock Brake System (ABS) control module software may cause the rear brakes to lock-up during certain braking conditions. This could result in a loss of vehicle control and cause a crash without warning. Correction; Dealers will reprogram the ABS electronic control unit.
## 136 On certain vehicles built with Bostrum driver seat models (910, 910C, or 914) and with Internationals parking brake code 04036. If someone outside the cab adjusts/slides the drivers seat to its most forward position, with the parking brake set, the seat will contact and release the parking brake lever. This could cause the vehicle to move unexpectedly and possibly result in an accident. Correction; A stop-bracket will be installed on the seat track to limit the travel of the seat so that it can not release the parking brake lever when the seat is adjusted to its most forward position. This is an expansion of recall 01-088.
## 137 NOTE; 626 - 16,682 UNITS. 929 - 3,001 UNITS.THE FRONT OUTER DOOR HANDLES CAN PREMATURELY FAIL AT THE POINT WHERE THE HANDLE CONNECTS TO THE ROD THAT ACTIVATES THE DOOR LOCK. IF THE ROD WERE TO FALL INBOARD INTO THE PATH OF THE WINDOW GLAZING, LOWERING THE WINDOW COULD RESULT IN PRESSURE ON THE ROD AND COULD CAUSE THE DOOR TO INADVERTENTLY OPEN IF UNLOCKED. CORRECTION; A SAFETY SHIELD WILL BE INSTALLED BETWEEN THE OUTER SURFACE OF THE WINDOW GLAZING AND THE DOOR HANDLE OPERATING MECHANISM.
## 138 On certain vehicles, the stop lamp switch may have been incorrectly installed during vehicle assembly. This could prevent proper brake lamp operation. Failure of the brake lamps to illuminate when the brakes are applied may result in the following road users being unaware of the drivers intentions, increasing the risk of a crash causing injury or death. A malfunction of the switch may also cause the brake lamps to remain illuminated when the brake pedal is released. Additionally, a faulty switch may affect the operation of the brake-transmission shift interlock on automatic transmission-equipped vehicles so that the transmission shifter would not be able to be shifted out of PARK position. It may also cause the Electronic Stability Control (ESC) light to illuminate, and it may not deactivate the cruise control when the brake pedal is depressed. Correction; Dealers will replace the stop lamp switch assembly.
## 139 On certain 4-door pickup vehicles, the software in Occupant Restraint Control (ORC) module may contain side impact calibrations that are overly sensitive. This could result in unintended deployment of the Side Airbag Inflatable Curtain (SABIC], seat airbag, and/or seatbelt pre-tensioner during certain driving conditions, which could startle the driver and result in a vehicle crash causing injury and/or property damage. Correction; Dealers will update the ORC module calibration.
## 140 VEHICLES EQUIPPED WITH POWER BRAKES. POWER BRAKE BOOSTERS MAY HAVE BEWEN IMPROPERLY ASSEMBLED BY SUPPLIER. MIS-INDEXING OF REAR SHELL OF SOME BOOSTERS RELATIVE TO THE FRONT SHELL MAY HAVE RESULTED IN INADEQUATE CRIMPING OF THE TWO SHELLS. IF BOOSTER WERE TO SEPARATE DURING VEHICLE OPERATION, COMPLETE LOSS OF SERVICE BRAKES WOULD RESULT.
## 141 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-052. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of a previous special service campaign will have a replacement inflator installed.
## 142 DUE TO A PRODUCTION ERROR, THE EXHAUST PIPE HEAT SHIELD WAS NOT INSTALLED ON THESE VEHICLES. THE LACK OF THIS SHIELD CAN ALLOW FALLING REFUSE TO CAUSE A VEHICLE FIRE. CORRECTION; EXHAUST PIPE HEAT SHIELD WILL BE RETROFITTED ON AFFECTED VEHICLES.
## 143 Certain fire trucks equipped with tandem rear axles and Electronic Stability Control (ESC) fail to meet the service brake release requirements of Canada Motor Vehicle Safety Standard 121 - Air Brake Systems. The service brake release time is greater than the requirement and, if service brake release timing does meet the minimum requirements of the Standard, may result in less efficient braking performance and will prevent the vehicle from being moved in a timely fashion. Correction; Dealers will replace the brake hoses with larger diameter versions.
## 144 On certain truck-mounted telescopic articulating aerial devices, the outrigger cylinder piston retention system may not have been sufficiently tightened during the assembly process. As a result, the cylinder could loosen from the rod, allowing an outrigger leg in the stowed position to protrude beyond the confines of the chassis. As such, the outrigger could strike a vehicle, stationary object, or a bystander, causing property damage and/or personal injury. Correction; Dealers will tighten the outrigger cylinder piston retention system to the specified torque.
## 145 On certain vehicles, a wiring defect could cause the airbag warning lamp to fail to illuminate in the event of a fault with the side curtain airbag system. As a result, a fault could go undetected by the driver, and cause the side airbag to fail to deploy in a crash. This could increase the risk of injury. Correction; Dealers will affect repairs.
## 146 THE FRONT BRaKE MASTER CYLINDER PLUNGER PISTON BORE DIAMETER MAY BE 0.015 INCHES OVERSIZE RESULTING IN A REDUCED INTERFERENCE FIT BETWEEN THE PISTON SEALS AND THE CYLINDER BORE WHICH COULD ALLOW HJYDRAULIC FLUID LEAKAGE AND EVENTUAL LOSS OF FRONT BRAKING ACTION. VEHICLES SOLD IN THE PROVINCE OF ONTARIO ONLY.
## 147 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 148 NOTE; VEHICLES ORIGINALLY RETAILED IN ONTARIO, QUEBEC AND THE MARITIME PROVINCES.THE COMPOSITE FRONT DISC BRAKE ROTORS ON THESE VEHICLES MAY FAIL DUE TO CORROSION. THE CAST IRON WEAR SURFACE MAY SEPARATE FROM THE HUB REDUCING THE BRAKING EFFECTIVENESS OF THE VEHICLE. CORRECTION; FRONT COMPOSITE ROTORS WILL BE REPLACED WITH ONES HAVING A REVISED CORROSION PROTECTION COATING.
## 149 On certain trucks, the cotter pin which retains the brake slack adjusters clevis pin may have been omitted during vehicle assembly. As a result, the clevis pin could loosen and fall out, causing a loss of brake function at the affected wheel. This could cause the vehicle to pull to one side under braking, or increase stopping distance, which could result in a crash causing property damage and/or personal injury. Correction; Dealers will verify cotter pin installation on each brake slack adjuster. Replacement cotter pins and/or clevis pins will be installed as needed.
## 150 On certain vehicles, the automatic slack adjuster anchor brackets can fail due to fatigue fracture and completely separate, causing the slack adjusters to function as manual slack adjusters. If the support bracket for an automatic slack adjuster fails, the brakes at that wheel end will not automatically adjust. As the brake linings wear, the vehicle will have reduced braking capacity, increasing the risk of a crash. Correction; Dealers will install a new bracket on each suspect slack adjuster.
## 151 On certain vehicles, some of the brackets used to attach the two gas struts to the rear door (hatch) may have been improperly made. At high ambient temperatures, the increase in gas pressure in the strut(s) could cause one or both brackets to bend, resulting in the struts detaching from the bracket(s) when opening or closing the rear door. If both struts detach from the brackets, the door will rapidly fall down possibly striking someone. Correction; Dealers will replace the strut brackets.
## 152 On certain vehicles with 3.0 Litre and 3.8 Litre engines, the body mounts on the rear corners of the subframe which supports the engine and transmission may become detached due to corrosion of the rear lower mount retaining plates, allowing the rear corners of the subframe to drop. Should this occur, steering could become very difficult, thereby adversely affecting vehicle control. Correction; modified lower body mounts and attaching bolts will be installed on affected vehicles.
## 153 On certain vehicles, the recess that retains the rubber seal ring, which is located at the end of the brake master cylinder body, may be corroded due to an improper washing process. In this condition, brake fluid may leak from the seal, or a small amount of air may enter the master cylinder, which could lead to an increase in stopping distance. Correction; After inspection, if a brake fluid leak from the master cylinder is detected or there is air in the master cylinder, the dealer will replace the master cylinder and the brake booster.
## 154 On certain vehicles, the recess that retains the rubber seal ring, which is located at the end of the brake master cylinder body, may be corroded due to an improper washing process. In this condition, brake fluid may leak from the seal, or a small amount of air may enter the master cylinder, which could lead to an increase in stopping distance. Correction; After inspection, if a brake fluid leak from the master cylinder is detected or there is air in the master cylinder, the dealer will replace the master cylinder and the brake booster.
## 155 On certain truck-mounted telescopic articulating aerial devices, the outrigger cylinder piston retention system may not have been sufficiently tightened during the assembly process. As a result, the cylinder could loosen from the rod, allowing an outrigger leg in the stowed position to protrude beyond the confines of the chassis. As such, the outrigger could strike a vehicle, stationary object, or a bystander, causing property damage and/or personal injury. Correction; Dealers will tighten the outrigger cylinder piston retention system to the specified torque.
## 156 On certain B700, C600, CL9000, F700, LN600 and W9000 vehicles equipped with eaton anti-lock air brake controllers and produced at the kentucky turck plant. A nylon piston within the pneumatic valve system can increase in size when exposed to certain quantities of typical air brake contaminants that may accumulate due to lack of air brake maintenance. The piston could momentarily stick and/or jam in the valve housing causing a temporary or permanent loss of braking to the affected axle. v79144
## 157 BENDIX DDM DRIVELINE TYPE PARKING BRAKES MAY HAVE CRACKS IN THE BRAKE ACTUATING CAM AND LEVER OF THE BRAKE ASSEMBLY.FAILURE OF A CRACKED PART CAN MAKE THE PARKING BRAKE INOPERATIVE. A CAM FAILURE COULD OCCUR AFTER THE BRAKE HAS BEEN SET AND THE VEHICLE LEFT UNATTENDED. THE PARKED VEHICLE COULD ROLL AWAY AND CRASH.
## 158 On certain vehicles, the drivers airbag inflator could produce excessive internal pressure. If an affected airbag deploys, the increased internal pressure may cause the inflator to rupture and metal fragments could pass through the airbag cushion material and cause injury to vehicle occupants. Correction; Dealers will replace airbag inflator.
## 159 On certain vehicles, the drive axle differential seal may leak (note that all-wheel drive vehicles have two seals). Reduced lubrication may cause the differential to become noisier. Continued use may cause damage to bearings and other differential components. Three conditions could occur; 1). When the vehicle is stopped and shifted to reverse, the differential may jam and prevent vehicle movement. 2). the damage can cause drag that will feel like the parking brake is applied; or 3) the differential could jam and lock the drive wheels while the vehicle is underway. Should the latter occur, it could result in a loss of vehicle control and a crash, causing injury or death. Correction; Dealers will replace the drive axle differential seal(s).
## 160 On certain Golf, GTI, Jetta, Jetta wagon, New Beetle, New Beetle convertible, Passat and Passat wagon, the brake lamp switch may malfunction. If this happens, the brake lamps could become inoperative; or could come on and stay on, even though the vehicle is parked. Correction; Dealers will replace the brake lamp switch with a newly revised version. This action includes vehicles previously affected by Transport Canada recall 03-184 and 04-075. The switch installed during this prior repair may not function properly. Note; parts available December 2006.
## 161 Certain passenger vehicles. The drivers air bag inflator modules could produce excessive internal pressure. In the event of a crash that would trigger a drivers air bag deployment, the increased internal pressure can cause the inflator module to explode. Metal and plastic debris could cause severe injury to vehicle occupants. Correction; Dealers will replace the driver side air bag module.
## 162 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 163 On certain trucks, the crossmember was not formed correctly during manufacturing process. Using results from a stress test, it was estimated that the life expectancy of the suspect crossmember could be less than the design intent. In some applications the crossmember supports the center bearing of the propeller shaft. If this condition were to occur, the structural integrity of the crossmember could be compromised and could result in a crash. Correction; Dealers will inspect and, if required, replace the crossmember.
## 164 On certain vehicles, the TRW Model 410M Electronic Control Unit (ECU) can misinterpret particular false wheel speed signals generated from any of the following conditions; An incorrect gap between the sensor and tone ring, a chaffed sensor wire, connector corrosion, sensor vibration or quality of harness and pin-outs. If one of these conditions occurs, the ECU could not distinguish between an actual low friction event on road surface and a low amplitude sensor signal and would activate the ABS brakes, instead of deactivating the ABS in response to a false signal. The driver would experience a hard brake pedal during the middle to end of a braking event and a decrease in deceleration at the end of the stop. The driver may experience an unexpected extended stopping distance, which could result in a collision. The ABS warning indicator light may not come on to warn the driver of a system malfunction. Correction; Dealers will replace the ABS ECU. Note; This Recall supersedes Recall 2002165.
## 165 WHEN SHIFTING THE TRANSMISSION FROM `PARK TO EITHER `REVERSE OR `DRIVE, UNINTENDED VEHICLE ACCELERATION MAY OCCUR WITH THE POSSIBILITY OF VEHICLE CRASH. CORRECTION; AN AUTOMATIC SHIFT LOCK WILL BE INSTALLED IN ALL AFFECTED VEHICLES. THIS WILL PREVENT SHIFTING FROM `PARK TO `REVERSE OR `DRIVE UNLESS THE BRAKE PEDAL IS APPLIED. V.I.N. RANGE WAU**044*E*000001 TO WAU**044*G*160000 NOTE; CHANGED FROM A SERVICE ACTION, SEPT.29,1986 TO A SAFETY RELATED RECALL
## 166 On certain Ranger Electric vehicles, the bolts that attach the transaxle to the vehicle may loosen and the driver may notice a jerking motion and/or a clunking sound. If the vehicle is not serviced promptly. all nine bolts may ultimately fall out or fracture. If this occurs, the transaxle may fall down from its intended location and cause the transaxle to be in a different gear than indicated. If the shifter is in park, the vehicle may still be free to roll as if in neutral. Correction; Transaxle bolts will be replaced with longer bolts equipped with a thread lock material. New bolts will also have a higher installation torque.
## 167 On certain vehicles, the body builder wiring option was mis-wired in such a way that the Auto Neutral with Service Brake Status option may allow the transmission to go into forward gear without the drivers foot pressing down on the brake pedal first. Correction; Dealer will install an additional air operated stop light switch and perform the necessary wiring changes.
## 168 On certain motorcycles, the proximity of the rear brake lamp switch to the exhaust system may induce heat into the brake switch that is beyond its temperature design limit. This could affect brake lamp function and/or cause a brake fluid leak through the switch. Failure of the brake lamp to illuminate when the brakes are applied may result in the following road users being unaware of the riders intentions, increasing the risk of a crash. Brake fluid leakage could result in the loss of rear brake function which, in conjunction with traffic and road conditions, and the riders reactions, could increase the risk of a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will replace the rear brake lamp switch with an updated version.
## 169 THE REAR BRAKE SYSTEM BRAKE PIPE FROM THE MASTER CYLINDER TO THE PROPORTIONER VALVE ON THESE VEHICLES MAY BE CONTACTING THE AIR CLEANER RESONATOR BRACKET. OVER AN EXTENDED PERIOD OF OPERATION, THE BRAKE PIPE COULD WEAR THROUGH SUFFICIENTLY TO CAUSE A LOSS OF BRAKE FLUID AND A PARTIAL LOSS OF BRAKING ACTION. IF A VEHICLE HAPPENS TO BE IN MOTION AT A TIME WHEN MINIMUM STOPPING DISTANCE IS REQUIRED, THIS CONDITION COULD RESULT IN A VEHICLE CRASH WITHOUT PRIOR WARNING. MODELS EQUIPPED WITH 5.7 L. V-8 DIESEL ENGINES.
## 170 THE REAR BRAKE SYSTEM BRAKE PIPE FROM THE MASTER CYLINDER TO THE PROPORTIONER VALVE ON THESE VEHICLES MAY BE CONTACTING THE AIR CLEANER RESONATOR BRACKET. OVER AN EXTENDED PERIOD OF OPERATION, THE BRAKE PIPE COULD WEAR THROUGH SUFFICIENTLY TO CAUSE A LOSS OF BRAKE FLUID AND A PARTIAL LOSS OF BRAKING ACTION. IF A VEHICLE HAPPENS TO BE IN MOTION AT A TIME WHEN MINIMUM STOPPING DISTANCE IS REQUIRED, THIS CONDITION COULD RESULT IN A VEHICLE CRASH WITHOUT PRIOR WARNING. MODELS EQUIPPED WITH 5.7 L. V-8 DIESEL ENGINES.
## 171 On certain vehicles, the automatic slack adjuster may not have had sufficient torque applied to the guide pawl cap screw. This condition may cause the brakes to gradually lose adjustment. This could result in loss of brake effectiveness and increased stopping distances which could in turn result in a vehicle crash. Correction; The torque will be checked on the automatic slack adjuster guide pawl. If there is no torque, the brakes will be adjusted and the guide pawl cap screw will be tightened to 15-20 ft. lbs.
## 172 THE CAM LEVER ON THE POWERED APPLY BRAKE CAN MOVE FORWARD BECAUSE OF A HOLE IN THE TRANSMISSION MOUNTING BOSS WAS DRILLED TOO DEEP, ALLOWING THE CAM LEVER TO BECOME DISENGAGED FROM THE PARKING BRAKE SHOES. SHOULD THIS OCCUR, THE DRIVER WOULD HAVE NO WARNING THAT THE PARKING BRAKE WAS NOT APPLIED. THIS COULD RESULT IN VEHICLE ROLL AWAY AND A POSSIBLE ACCIDENT.CORRECTION; SHIMS WILL BE INSTALLED IN THE DRILLED AREA OF THE AUTOMATIC TRANSMISSION PARK BRAKE PIVOT PIN HOLE.
## 173 On certain vehicles that were modified with dual steering controls for use as street sweepers, the brake re-certification was not performed after the modification for the dual steering system. The operation of a vehicle with incorrect air brake apply/release timing may result in reduced braking performance, which could lead to a vehicle crash causing property damage, personal injury or death. Correction; Dealers will install a brake timing kit.
## 174 On certain vehicles equipped with a Continuously Variable Transmission (CVT], an open circuit in the alternator can occur due to wire fatigue caused by movement of the rotor coil during rapid changes in engine speed. Higher engine compartment temperature in the Murano compared to other Nissan models may also be a contributing factor to the wire fatigue. When an open circuit occurs in the alternator, the charge warning and brake warning lamps come on. If the driver does not seek immediate assistance and continues to drive the vehicle in this condition, the vehicle will operate normally for about one hour. After this time, the battery voltage will drop to a level that causes the engine control module to go into a fail safe mode. During fail safe mode, which lasts about ten minutes, vehicle speed will be reduced due to the throttle plate being held in a fixed position. After this time period, the engine will stop running. Correction; Dealers will replace the alternator with an updated version.
## 175 THE STEER AXLE WHEEL BEARING JAM NUT LOCK WASHER MAY NOT HAVE BEEN BENT OVER THE JAM NUT AFTER THE WHEEL BEARINGS WERE ADJUSTED. IF THIS CONDITION EXISTS, THE JAM NUT AND THE WHEEL BEARING ADJUSTING NUT MAY BACK OFF THE SPINDLE, ALLOWING THE WHEEL AND BRAKE DRUM ASSEMBLY TO SEPARATE FROM THE VEHICLE.CORRECTION; VEHICLES WILL BE INSPECTED AND IF REQUIRED, THE STEER AXLE WHEEL BEARING WILL BE ADJUSTED AND THEN THE JAM NUT LOCK WASHER WILL BE BENT OVER THE JAM NUT.
## 176 DEFECT; UNDER CERTAIN CONDITIONS THE SECONDARY LATCH MAY WEDGE AGAINST THE STRIKER, RESTRICTING THE DOWNWARD MOTION OF THE HOOD, WHICH MAY SUBSEQUENTLY RESULT IN THE POTENTIAL FOR INCOMPLETE PRIMARY LATCH ENGAGEMENT. THIS CONDITION MAY RESULT IN UNEXPECTED OPENING OF THE HOOD WHICH COULD OBSTRUCT THE DRIVERS VIEW OF THE ROAD AND POTENTIALLY RESULT IN AN ACCIDENT.CORRECTION; THE HOOD LATCH ASSEMBLY WILL BE REPLACED.
## 177 Certain vehicles fail to conform to CMVSS 135 Passenger Car Brake System. The brake warning lamp may not illuminate in the event of decreased brake fluid level. Correction; Dealer will replace the current brake fluid warning circuit diode with a newly designed diode.
## 178 VEHICLES EQUIPPED WITH A PYROIL ACCESSORY IN-HOSE ENGINE HEATER MAY EXPERIENCE ENGINE HEATER MALFUNCTION, RESULTING IN OVERHEATING OF THE IN-HOSE HEATER AND POTENTIAL ENGINE COMPARTMENT FIRE. CORRECTION; IN-HOSE HEATER WILL BE REPLACED WITH AN EXTERNAL ENGINE BLOCK HEATER.
## 179 TRUCKS EQUIPPED WITH MACK V-8 ENGINES. THE SYNFLEX-TYPE OIL PRESSURE SIGNAL LINE MKAY BE ROUTED TOO CLOSE TO THE EXHAUST MANIFOLD. EXCESSIVE HEAT COULD CAUSE THE LINE TO RUPTURE AND SPRAY OIL ONTO THE HOT EXHAUST MANIFOLD CUAISNG AN ENGINE COMPARTMENT FIRE
## 180 On certain vehicles, intermittent electrical connection faults may cause the brake lamps to illuminate without the brake pedal being depressed, or not illuminate when the brake pedal is depressed. This could also interfere with cruise control, ABS and/or vehicle stability control function. Failure of the brake lights to illuminate when the brake pedal is depressed or erratic brake lamp function could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will affect repairs.
## 181 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 182 The brake pad to pedal arm strength may not be adequate due to mis-location of welds. Should the brake pedal separate, loss of vehicle braking integrity may occur. Correction; Brake pedal assembly will be replaced with a properly manufactured one.
## 183 On certain vehicles, the side impact airbags may deploy unexpectedly, without a crash, as the vehicle is started or during normal driving. A driver or right front passenger in the proper driving or seating positions and using safety belts could receive minor injuries, such as bruising, from contact with a deploying side impact airbag. However, a driver or right front passenger that is too close to an inflating airbag could receive more serious injuries. Correction; Dealers will replace the driver and passenger side impact sensing modules.
## 184 1975 VEHICLES EQUIPPED WITH A 460 CID ENGINE AND A 4350-4V CARB. 1 - A CARBURETOR FUEL INLET CROSS-CHANNEL O RING ON THE SEALING PLUG COULD BE PUSHED OUT DURING VEHICLE OPERATION, ALLOWING GAS TO BE DISCHARGED ONTO THE ENGINE. SHOULD THIS OCCUR, THE POTENTIAL FOR UNDERHOOD FIRE COULD EXIST. 2 - CARBURETOR SECONDARY THROTTLE STOP LEVERS MAY HAVE BEEN INCORRECTLY STAMPED. UNDER CERTAIN CONDITIONS THIS COULD ALLOW ENGINE RUN-AWAY DUT TO SECONDARY THROTTLE PLATES BEING HELD OPEN. ACCELERATION OF THE VEHICLE TO EXCESSIVE SPEEDS MAY OCCUR
## 185 On certain trucks equipped with an air release fifth wheel hitch, the inversion valve on the frame may be orientated where contaminants can enter the valve through the exhaust port. As a result, the brake valve may corrode causing it to malfunction and in some cases result in unintended opening of the fifth wheels locking mechanism. This could allow the trailer to separate from the towing vehicle while underway. Also, an air loss could increase vehicle stopping distance and result in a crash causing property damage or personal injury. Correction; Dealers will inspect and replace the inversion valve if required.
## 186 BRAKE MASTER CYLINDER TO CHASSIS TUBE AND HOSE ASSEMBLIES ARE LOCATED IN A POSITION THAT MAY BE SUSCEPTIBLE TO CHAFING DURING VEHICLE USE. CONTINUED CHAFING MAY CAUSE TUBE OR HOSE WEAR AND SUBSEQUENT LOSS OF BRAKE FLUID. THIS COULD RESULT IN FULL OR PARTIAL LOSSOF SERVICE BRAKING DEPENDING ON WHETHER THE VEHICLE IS EQUIPPED WITH SINGLE OR SPLIT SYSTEM HYDRAULIC BRAKES. 80-81 F0600/700/800 SERIES TRUCKS.
## 187 On certain vehicles, the crankshaft balancer centre attaching bolt was under-torqued. This bolt secures the balancer, which is pressed onto the crankshaft, and the accessory drive pulley which is attached to the balancer, to the engine crankshaft. If this bolt were to loosen, the balancer and drive belt pulley would eventually loosen and the drive belt could come off the pulley or break, causing a loss of drive to engine accessories such as the alternator and power steering pump. Correction; Crankshaft balancer centre bolt will be torqued to specification.
## 188 BRAKE MASTER CYLINDER TO CHASSIS TUBE AND HOSE ASSEMBLIES ARE LOCATED IN A POSITION THAT MAY BE SUSCEPTIBLE TO CHAFING DURING VEHICLE USE. CONTINUED CHAFING MAY CAUSE TUBE OR HOSE WEAR AND SUBSEQUENT LOSS OF BRAKE FLUID. THIS COULD RESULT IN FULL OR PARTIAL LOSSOF SERVICE BRAKING DEPENDING ON WHETHER THE VEHICLE IS EQUIPPED WITH SINGLE OR SPLIT SYSTEM HYDRAULIC BRAKES. 80-81 F0600/700/800 SERIES TRUCKS.
## 189 Certain vehicles do not comply with CMVSS 105 - hydraulic brake systems. Parking brake may not hold vehicle as required. Correction; Vehicles will be inspected and parking brake lever assembly will be replaced if necessary.
## 190 THE TRANSMISSION CONTROL SELECTOR TUBE RETAINING CLIP WHICH RETAINS THE SELECTOR TUBE TO THE STEERING COLUMN LOCK CYLINDER MAY NOT BE OF ADEQUATE HARDNESS. SHOULD THE CLIP LOOSEN AND DISENGAGE FROM THE TRANSMISSION CONTROL SELECTOR TUBE ASSEMBLY, THE GEARSHIFT SELECTOR LEVER MAY NOT INDICATE THE ACTUAL GEAR POSITION OF THE TRANSMISSION. FOR EXAMPLE, THE VEHICLE COULD ROLL FREE WHEN THE INDICATOR IS IN THE PARK POSITION OR COULD ACTUALLY BE IN DRIVE GEAR WHEN THE INDICATOR IS IN THE NEUTRAL POSITION.
## 191 On certain vehicles, the center and rear brake lines may become perforated due to corrosion. This would cause a leak in the brake system potentially increasing stopping distances, which could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will inspect vehicles and either apply an anti-corrosion coating to the lines, or replace them as necessary. Note; This recall supersedes recall 2013092. Vehicles that were inspected and/or repaired under the previous recall will require re-inspection and/or repair.
## 192 THIS IS AN EXTENSION OF RECALL 77117 WHICH INVOLVED ONLY AIR- CONDITIONED VEHICLES. THE MAIN ELECTRICAL POWER FEED CIRCUIT FROM THE BATTERY AND ALTERNATOR MAY BE DISCONNECTED DUE TO A SEPARATION OF THE MULTIPLE CONNECTOR AT ENGINE COMPARTMENT FIREWALL. THIS CONDITION WOULD CAUSE A LOSS OF ELECTRICAL POWER TO THE ENGINE, LIGHTS AND OTHER ACCESSORIES. (EXCEPT POWER DOOR LOCKS AND POWER SEATS.)
## 193 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 194 HD TRUCKS AND BUSES WITH DETROIT DIESEL ALLISON 8.2 LITRE ENGINES. RECALL CONDUCTED BY DETROIT DIESEL ALLISON. IF EXCESS DIESEL FUEL OR LUBRICATION OIL ACCUMULATES AND CAUSES CRANKCASE TO OVERFILL, EXCESS FLUID CAN BE INGESTED THROUGH THE CDR VALVE INTO THE INTAKE SYSTEM CAUSING ENGINE SPEED TO INCREASE WITHOUT THROTTLE CONTROL. ALSO, GOVERNOR LINKAGE LOCK MAY LOOSEN AND SEPARATE FROM LINKAGE RESULTING IN ENGINE RUN-ON AND LOSS OF THROTTLE CONTROL. WHEN LIMITED STOPPING DISTANCE IS AVAILABLE, EITHER OF THESE CONDITIONS COULD RESULT IN VEHICLE CRASH WITHOUT PRIOR WARNING.
## 195 On certain vehicles, the parking brake may release if the brake systems electronic control unit misinterprets signals generated from turning the ignition key more than once at a specific rate. The release of the parking brake may cause a sudden, unexpected shift in vehicle position, resulting in property damage, personal injury or death. Correction; Dealers will reprogram brake system electronic control unit.
## 196 NOTE; VEHICLES EQUIPPED WITH 2.0 LITRE TURBOCHARGED ENGINES.THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS.- OXYGEN SENSOR MAY FAIL -CORRECTION; OXYGEN SENSOR WILL BE REPLACED WITH AN IMPROVED VERSION.
## 197 1981 LEMIRAGE, PRESTIGE AND CHAMPION BUSES. DUE TO INSUFFICIENT INSULATION OF THE ALTERNATOR POST AND WIRES, WINTER SEASON SALT AND/ OR SAND MAY COME IN CONTACT WITH THE ALTERNATOR AND ACT AS A CORROSIVE AGENT. CORROSION MAY CREATE AN ELECTRICAL SHORT BETWEEN ALTERNATOR BODY AND POSTS AND MAY RESULT IN A FIRE INSIDE THE ENGINE COMPARTMENT.
## 198 CORROSION DUE TO ROAD SALT MAY PREVENT THE HOOD LATCH AND THE SAFETY CATCH FROM WORKING PROPERLY. THIS COULD RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION RESULTING IN OBSCURED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS OF AFFECTED VEHICLES WILL BE ADVISED BY MAIL REGARDING THE NECESSITY FOR PERIODIC LUBRICATION OF THE ENGINE HOOD LATCH MECHANISM. DEALERS WILL BE ADVISED TO LUBRICATE THE ENGINE HOOD MECHANISM WHENEVER AN AFFECTED VEHICLE IS BEING SERVICED.
## 199 CORROSION DUE TO ROAD SALT MAY PREVENT THE HOOD LATCH AND THE SAFETY CATCH FROM WORKING PROPERLY. THIS COULD RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION RESULTING IN OBSCURED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS OF AFFECTED VEHICLES WILL BE ADVISED BY MAIL REGARDING THE NECESSITY FOR PERIODIC LUBRICATION OF THE ENGINE HOOD LATCH MECHANISM. DEALERS WILL BE ADVISED TO LUBRICATE THE ENGINE HOOD MECHANISM WHENEVER AN AFFECTED VEHICLE IS BEING SERVICED.
## 200 TRUCK AND SCHOOL BUS CHASSIS EQUIPPED WITH AIR BRAKES. SOME EATON ANTI-LOCK CONTROLLERS MAY MALFUNCTION PREVENTING APPLICATION OF THE BRAKES ON THE AXLE INVOLVED. THIS CONDITION COULD LEAD TO INCREASED STOPPING DISTANCES, POSSIBLY RESULTING IN A VEHICLE CRASH.
## 201 FUEL LEAKAGE MAY OCCUR AT THE FUEL HOSE TO FUEL RAIL CONNECTION. ESCAPING FUEL COULD COME INTO CONTACT WITH HOT ENGINE COMPONENTS AND POSSIBLY CAUSE AN ENGINE COMPARTMENT FIRE.CORRECTION; FUEL HOSE WHICH ATTACHES TO THE FUEL RAIL WILL BE REPLACED AND NEW SPRING TYPE HOSE CLAMPS WILL BE INSTALLED.
## 202 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 203 On certain vehicles, additional axles were installed to increase the gross vehicle weight capacity but the parking brake capacity was not increased accordingly therefore not complying with CMVSS 121 regulations. Correction; The dealer will perform repairs as necessary.
## 204 NOTE; VEHICLES EQUIPPED WITH 1.9 LITRE ENGINES. THESE VEHICLES MAY RELEASE CARBON MONOXIDE EXHAUST EMISSIONS WHICH EXCEED THE REQUIREMENTS OF C.M.V.S.S 1103 - EXHAUST EMISSIONS.CORRECTION; EXHAUST SYSTEM CATALYST ASSEMBLY WILL BE REPLACED ON AFFECTED VEHICLES.
## 205 On some motorcycles, small stones or other road debris could become trapped between the brake pedal and brake pedal cover. This could cause the rear brake, and on some 2010 to 2012 models (ZG1400C; Concours14 ABS) both front and rear brakes, to drag and overheat. This could lead to brake damage, wheel lockup or braking system failure, possibly resulting in a crash causing property damage and/or personal injury. Correction; Dealers will remove the brake guard and replace the master cylinder rod end. Note; This recall supersedes recall 2009012.
## 206 NOTE; VEHICLES EQUIPPED WITH ROCKWELL WABCO SYSTEM SAVER 1000 AIR DRYERS.IN AIR BRAKE SYSTEMS REQUIRING A LARGE VOLUME OF AIR TO PASS THROUGH THE DRYER IN A SHORT PERIOD OF TIME, THE DRYER CANNOT REMOVE ALL OF THE MOISTURE FROM THE AIR. IN A COLD ENVIRONMENT THIS MOISTURE MAY FREEZE AND EFFECTIVELY BLOCK THE AIR LINES DOWNSTREAM OF THE DRYER RESULTING IN AN AIR PRESSURE BUILD UP IN THE DRYER. THIS AIR PRESSURE MAY EVENTUALLY CAUSE THE DRYER CARTRIDGE TO SEPARATE FROM THE DRYER. THE SEPARATED CARTRIDGE MAY CAUSE BODILY INJURY TO ANYONE STANDING NEAR THE DRYER AT THE INSTANT OF SEPARATION.CORRECTION; PRESSURE RELIEF VALVES WILL BE INSTALLED IN THE DRYER OUTLET PORTS ON THE AFFECTED VEHICLES.
## 207 On certain vehicles, the center and rear brake lines may become perforated due to corrosion. This would cause a leak in the brake system potentially increasing stopping distances, which could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will inspect vehicles and either apply an anti-corrosion coating to the lines, or replace them as necessary. Note; This recall supersedes recall 2013092. Vehicles that were inspected and/or repaired under the previous recall will require re-inspection and/or repair.
## 208 On certain vehicles, electrical circuitry in the steering wheel assembly may become damaged. As a result, the drivers airbag may not function as intended, causing the instrument panel airbag warning lamp to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of injury to the seat occupant. Correction; Dealers will replace the spiral cable assembly.
## 209 NOTE; VEHICLES WITH 3.8 LITRE ENGINES. THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS. THE SUBSTRATE MATERIAL IN THE CATALYSTS MAY RATTLE AND BREAK UP DURING NORMAL USE CAUSING EXHAUST EMISSIONS TO EXCEED THE STANDARD. CORRECTION; VEHICLES WILL BE INSPECTED AND CATALYST WILL BE REPLACED WHERE NECESSARY.
## 210 Certain vehicles may experience the loss of one or more rear lamp functions (tail, brake, turn and reverse). Failure of any rear lamp function may result in the following road users being unaware of the drivers intentions, as well as reducing vehicle conspicuity during hours of darkness, which could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace rear bulb carriers with an updated design.
## 211 Certain vehicles equipped with HID headlamps may not comply with the requirements of Canada Motor Vehicle Safety Standard 108 - Lighting System and Retroreflective Devices. A Daytime Running Lamp (DRL) that is optically combined with a turn signal lamp must switch off when the turn signal lamp is switched on as a hazard warning signal. In the affected vehicles, the DRL overrides the hazard flashing functionality after the service brake is applied for more than 2 seconds, which is contrary to the standard. The hazard functionality returns to normal when the application of the service brake is removed. Turn signal functionality would not impacted. Failure to warn oncoming vehicles with flashing hazard lamps could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will update vehicle software.
## 212 THE AXLE RETAINING C CLIP IN THE DIFFERENTIAL MAY DISLODGE AND ALLOW THE AXLE, WHEEL AND BRAKE DRUM TO SEPARATE FROM THE VEHICLE WHEN SUBJECTED TO SIDE FORCES. AXLE SEPARATION COULD RESULT IN LOSS OF VEHICLE CONTROL AND POSSIBLE CRASH.
## 213 On certain vehicles, the hand operated trailer brake control may have a partially blocked delivery port, which can cause the trailer brakes to be slow to apply an release when operated by the hand control valve. If this hand control valve is used while the vehicle is in motion, the slow brake application or release may contribute to loss of control of the vehicle causing a collision, possibly resulting in property damage, personal injury or death. Correction; The dealer will replace the defective valves.
## 214 THESE VEHICLES MAY HAVE BEEN MANUFACTURED WITH DEFECTIVE BATTERIES. THE BATTERIES MAY HAVE NEGATIVE TERMINALS THAT COULD FRACTURE CAUSING ACID LEAKAGE AND RELATED CORROSION DAMAGE WHICH COULD LEAD TO AN ENGINE FIRE OR BATTERY EXPLOSION. CORRECTION; DEFECTIVE BATTERIES WILL BE REPLACED.
## 215 On certain vehicles, side airbag wiring connections could develop high resistance, illuminating the airbag warning light. If the vehicle continues to be operated in this condition, resistance may continue to increase over time and eventually cause the seat side airbags and seat belt pretensioners to not deploy in the event of a crash, which could increase the risk of injury. Correction; Dealers will affect repairs.
## 216 On certain trucks equipped with a PACCAR MX engine and Eaton Ultrashift DM or Allison automatic transmission (without auto-neutral], the Fast Idle Control (also known as high idle) may be activated by the operator while the transmission is in gear. This could override the parking brake, allowing the vehicle to move unexpectedly. Unintended vehicle movement could result in a crash causing property damage and/or personal injury. Correction; Dealers will update the engine control software.
## 217 On certain vehicles, the brake booster vacuum hose port in the base of the carburetor could become blocked with frozen moisture after an extended period of highway driving at low ambient temperatures. This may result in intermittant loss of brake power assist on a second application of the brake pedal. Correction; the brake booster vacuum hose will be relocated to the intake manifold.
## 218 TRUCKS EQUIPPED WITH MACK 6 CYLINDER ENGINES AND FLEXIBLE BLADE ENGINE COOLING FANS. THE FLEXIBLE BLADE FANS MAY DEVELOP FATIGUE CRACKS IN THE LAMINATED STIFFENER. CONTINUED ENGINE OPERATION COULD CAUSE A PIECE OF THE STIFFENER TO BREAK OFF AND BE PROPELLED OUTSIDE OF THE FAN SHROUD. A PROPELLED FRAGMENT COULD CAUSE INJURY TO SERVICE PERSONNEL IN THE VICINITY OF AN OPERATING ENGINE.
## 219 On certain vehicles, a defect in the ignition lock cylinder could cause the key to stick in the start position if the vehicle interior temperature is sufficiently high. If the vehicle is operated in this condition and the interior temperature cools or the vehicle goes off-road or is subjected to some other jarring event, the key could move out of the start position, rotate past the run position and into the accessory position. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; Dealers will inspect the steering column for identifying information and replace if necessary.
## 220 On certain vehicles, a defect in the ignition lock cylinder could cause the key to stick in the start position if the vehicle interior temperature is sufficiently high. If the vehicle is operated in this condition and the interior temperature cools or the vehicle goes off-road or is subjected to some other jarring event, the key could move out of the start position, rotate past the run position and into the accessory position. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; Dealers will inspect the steering column for identifying information and replace if necessary.
## 221 Fiat Chrysler Automobiles (FCA) Canada is conducting a voluntary Safety Improvement Program involving Takata driver and/or passenger airbag inflators installed in certain vehicles that were originally sold or ever registered in certain high humidity areas of the United States. Fiat Chrysler Automobiles (FCA) will replace the driver and/or passenger inflator on affected vehicles, depending on the vehicle involved. Owners who believe their vehicles may have been originally purchased or registered in Florida, Hawaii, Puerto Rico, and the U.S. Virgin Islands should contact a Fiat Chrysler Automobile (FCA) dealer. This action is not being conducted under the requirements of the Motor Vehicle Safety Act.Note; This special service campaign was replaced by recalls 2015094 and 2015228. Please see these recalls for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015094>Click here for more information on the 2015094 recall</a><a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information on the 2015228 recall</a>
## 222 On certain vehicles, a defect in the supplemental restraint system (SRS) could result in an inadvertent deployment of the front airbag, side curtain airbag and/or seatbelt pretensioner. Unintended seatbelt pretensioner and/or airbag deployment, in a non-warranted (non-impact) situation, could startle the driver, which could result in a vehicle crash causing property damage and/or personal injury. In some instances, inadvertent deployment could cause minor injuries to vehicle occupants. Correction; Dealers will replace the SRS control unit and may install an in-line jumper wiring harness to correct the issue. Note; This recall supersedes recalls 2012378 and 2013046. Vehicles that were repaired under the previous campaign will also need to be repaired under this campaign.
## 223 TRUCKS EQUIPPED WITH BENDIX ANTI-WHEEL LOCK ELECTRONIC CONTROLLERS. A DIODE FAILURE WHTHIN THE ELECTRONIC CONTROLLER MAY BLOCK AIR PRESSURE TO THE BRAKE CHAMBERS RESULTING IN A NO-BRAKE SITUATION AT THE AFFECTED WHEELS. THIS CONDITION WOULD AFFECT THE AXLE-BY-AXLE AND BOGIE ANTI-WHEEL LOCK CAPABILITY AND MAY RESULT IN A VEHICLE CRASH.
## 224 On certain vehicles operated in areas of heavy road salt usage (Ontario, Quebec, New Brunswick, Nova Scotia, Prince Edward Island, and Newfoundland and Labrador], road salt can collect in the rear portion of the side members of the subframe and may result in internal corrosion leading to thinning or perforation of the subframe steel. The corrosion may ultimately lead to separation of the lower control arm at the forward mounting point to the subframe. When separation occurs, in most cases, the movement of the arm will cause the axle to pull out of the transaxle and the vehicle will no longer have drive power to the wheels. In extreme cases, the wheel can also rotate off its designed axis and make contact with the fender or the wheel well. Both outcomes could result in a loss of vehicle control and a crash causing property damage, personal injury or death. Correction; Dealers will inspect and, if necessary, replace the front subframe assembly. Should the subframe not require replacement, drainage holes will be added, as well as treatment with rust-proofing material to arrest the corrosion process.
## 225 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 226 THE BOLTS WHICH SECURE THE REAR BENCH SEATS TO THEIR SEAT RISERS MAY BREAK DUE TO EMBRITTLEMENT. IN THE EVENT OF AN ACCIDENT OR SUDDEN STOP, THE SEAT MAY SEPARATE RESULTING IN PERSONAL INJURY.CORRECTION; BOLTS WILL BE REPLACED ON AFFECTED VEHICLES.
## 227 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 121 - Air Brake Systems. The Antilock Brake System (ABS) module may have been incorrect programmed during vehicle assembly. As such, the trailer ABS fault indicator lamp may not illuminate if a trailer ABS fault occurs. A driver who is unaware that the trailer ABS is not functioning could lose control of the trailer under hard braking, which could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the ABS module.
## 228 Vehicles with ABS brakes may experience premature actuator piston seal wear in the ABS hydraulic control unit and/or actuator pump motor deterioration. If this occurs, the abs function may be lost and reduced power assist may be experienced during vehicle braking. Correction; Vehicles with ABS malfunction will be repaired as necessary. Warranty on all abs components will be extended to 10 years or 160,000 km (except for the brake actuator piston assembly and the pump-motor assembly which will have lifetime coverage).
## 229 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 135 - Brake Systems. The electronic parking brake may not fully release, which could cause the brakes to drag. In this condition, the parking brake indicator also may not illuminate even though the parking brake is engaged, contrary to the requirements of the standard. Brake drag could affect vehicle acceleration and cause undesired deceleration, excessive brake heat, and premature wear to some brake components. If the brake drag is significant or if the vehicle is operated for an extended period of time in this condition, there is a potential for the rear brakes to generate significant heat, smoke and sparks. Correction; Dealers will update the electronic parking brake software.
## 230 VEHICLES EQUIPPED WITH 300 C.I.D. ENGINES AND CARTER IV CARBS. A WORN, TAPERED THREAD TAPPING TOOL WAS USED INSTEAD OF THE SPECIFIED STRAIGHT THREAD TAPPING TOOL. THE NON-UNIFORM THREAD COULD ALLOW GASOLINE LEAKAGE FROM THE FUEL FILTER TO CARBURETOR CONNECTION CREATING THE RISK OF AN UNDERHOOD FIRE.
## 231 AUTOMATIC SPEED CONTROL SWITCHES COULD STICK IN THE RESUME POSITION RESULTING IN THE SPEED CONTROL NOT DEACTIVATING WHEN THE BRAKES ARE APPLIED.
## 232 A CRACKED CHECK VALVE MAY CAUSE THE AIR BRAKE SYSTEM TO LOSE ONE-HALF OF THE AIR SUPPLY WITHIN THE SYSTEM. THIS CONDITION WOULD INCREASE STOPPING DISTANCES AND MAY RESULT IN A VEHICLE CRASH.
## 233 NOTE; 1992-94 TEMPO/TOPAZ WITH 3.0 LITRE ENGINES; 1994-95 TAURUS/SABLE (EXCEPT SHO) WITH 3.0 LITRE ENGINES; 1992-93 TAURUS/SABLE WITH 3.8 LITRE ENGINES; 1992-94 LINCOLN CONTINENTAL.THE ENGINE COOLING FAN MAY BECOME FROZEN IN PLACE BY SNOW, ICE OR SLUSH. IF THIS OCCURS AND THE COOLING FAN IS ACTIVATED, EITHER AUTOMATICALLY TO REDUCE COOLANT TEMPERATURE OR WHEN THE DEFROSTER IS TURNED ON, THE COOLING FAN WILL NOT ROTATE AND CAN OVERHEAT. THIS CAN DAMAGE THE FAN MOTOR, FAN, FAN WIRING AND SHROUD WITH THE POTENTIAL FOR SMOKE OR A FIRE TO RESULT.CORRECTION; IN SOME CASES, THE FUSE FOR THE COOLING FAN CIRCUIT WILL BE REPLACED WITH A SMALLER FUSE. IN OTHER CASES, A JUMPER HARNESS WITH DEDICATED CIRCUIT PROTECTION FOR THE COOLING FAN WILL BE INSTALLED.
## 234 On certain vehicles, the brake cam tubes on the steer and drive axles may not have been greased during vehicle assembly. As a result, the brake cam journal may corrode which may lead to the brakes dragging and could result in a vehicle fire. Correction; Dealers will remove, inspect and service the brake camshaft.
## 235 On certain vehicles used under extreme off-road riding conditions, when the rear brake and the throttle are applied simultaneously in low gears, the rear brake caliper support may bend, leading to contact between the brake hose connecting piece on the rear caliper and the swing arm. As a consequence, brake fluid leakage from the caliper could occur, which could ultimately result in loss of rear braking capability. Correction; If the rear caliper support is not bent, it will be reinforced by means of a specially designed plastic block. If the support is found to be bent, the rear swing arm will be replaced by one with a reinforced support. The caliper and brake hose will be replaced if damaged.
## 236 On certain vehicles, brake chamber diaphragm(s) may not be properly seated. This could lead to brake drag, causing brake overheating or unintended spring brake application. These issues could increase the risk of a crash causing injury and/or property damage. Correction; Dealers will affect repairs as necessary.
## 237 SOME BRAKE PUSHROD TO BRAKE PEDAL RETAINING PINS WERE INCORRECTLY HEAT TREATED AND MAY NOT MAINTAIN THE REQUIRED SET WHEN INSTALLED. THE RETAINING PIN MAY FALL OUT ALLOWING A POSSIBLE DISENGAGEMENT OF THE PUSHROD FROM THE BRAKE PEDAL RESULTING IN A LOSS OF SERVICE BRAKES.
## 238 On certain vehicles, brake s-cam bracket assemblies on the steering axle could fracture, causing an inoperative brake on the affected wheel end. This could cause the vehicle to pull to one side while braking and/or increase stopping distances, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will affect repairs.
## 239 BRAKE LINE FAILURE MAY RESULT FROM THE SPEEDOMETER CABLE RUBBING AGAINST THE BRAKE HOSE OVER AN EXTENDED PERIOD OF TIME. IF THIS WERE TO OCCUR, BRAKE FLUID LOSS WOULD RESULT IN REDUCED BRAKING AND POSSIBLE LOSS OF VEHICLE CONTROL. CORRECTION; SPEEDOMETER CABLE WILL BE CLAMPED AWAY FROM THE BRAKE HOSE AND BRAKE HOSE WILL BE INSPECTED AND REPLACED IF NECESSARY.
## 240 TRUCKS EQUIPPED WITH EATON 16.5 X 5 INCH S-CAM FRONT WHEEL AIR BRAKES. THE BRAKE SPIDERS MAY DEVELOP CRACKS NEAR THE CAMSHAFT MOUNTING BOSS WHICH CAN PROGRESS UNTIL THE CAMSHAFT BOSS IS COMPLETLY SEVERED FROM THE SPIDER. THIS CONDITION CAN RESULT IN LOSS OF BRAKE ACTION AT THAT WHEEL CAUSING PARTIAL LOSS OF FRONT WHEEL BRAKING CAPABILITY AND BRAKE IMBALANCE.
## 241 On certain vehicles, the guide plate of the automatic transmissions parking lock pawl subsystem may fail. This could cause the parking lock pawl not to engage, after placing the transmission in the PARK position. If the vehicle was parked on an incline of sufficient grade, and the parking brake was not engaged, the vehicle could roll away. Correction; Dealers will replace the guide plate.
## 242 THE IGNITION SWITCHES ON THESE VEHICLES MAY HAVE BEEN IMPROPERLY MANUFACTURED AND COULD CAUSE ELECTRICAL ACCESSORIES, SUCH AS TURN SIGNALS, WINDSHIELD WIPERS, LAMPS, POWER WINDOWS AND AIR CONDITIONERS TO MALFUNCTION WHEN THE ENGINE IS STARTED.CORRECTION; IGNITION SWITCH WILL BE REPLACED.
## 243 THE SECONDARY HOOD LATCH MAY NOT BE PROPERLY ADJUSTED WHICH COULD RESULT IN THE SECONDARY LATCH BECOMING BENT. A BENT SECONDARY LATCH COULD CONTACT THE PRIMARY LATCH RETURN SPRING PREDISPOSING IT TO DISENGAGE. IF THE SECONDARY LATCH WAS NOT PROPERLY ENGAGED AND THE PRIMARY LATCH WERE TO DISENGAGE WHILE THE VEHICLE WAS IN MOTION, THE HOOD COULD UNEXPECTEDLY FLY OPEN AND OBSTRUCT THE DRIVERS VISION. THIS COULD RESULT IN A VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION; SECONDARY LATCH WILL BE INSPECTED FOR PROPER ADJUSTMENT AND ALL BENT LATCHES WILL BE REPLACED.
## 244 THE ACCELERATOR CABLE BUSHING COULD DISCONNECT FROM THE ACCELERATOR LEVER ASSEMBLY CAUSING THE ENGINE TO RETURN TO IDLE. THIS WOULD LEAVE THE DRIVER WITH NO CONTROL OVER ENGINE SPEED. CORRECTION; ACCELERATOR CABLE BRACKET AND LEVER ASSEMBLIES WILL BE INSPECTED AND REPLACED AS REQUIRED. V.I.N. RANGE WAGONEER - 1JCWC7569GT146525 TO 1JCWC7555GT186432 CHEROKEE - 1JCWB7827GT145899 TO 1JCWB7826GT188212 COMANCHE - 1JTHS6690GT154091 TO 1JTWA66F9GT186912
## 245 THESE VEHICLES ARE EQUIPPED WITH 12 AND 16 FRONT BRAKE CHAMBERS MOUNTED ON ROCKWELL FOUNDATION BRAKES. THE BRAKE CHAMBER MOUNTING STUDS MAY LOOSEN OR PULL THROUGH DUE TO FATIGUE IN THE BRAKE CHAMBER HOUSING CAUSED BY FOUNDATION BRAKE CHATTER.CORRECTION; BRAKE LINING MATERIALS WILL BE CHANGED. THE WING BRACKET WILL BE REPLACED WITH A REINFORCED BRACKET AND BRAKE CHAMBERS WITH REINFORCED CHAMBER HOUSINGS AND LARGER MOUNTING STUDS WILL BE INSTALLED.
## 246 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 121 - Air Brake Systems. These vehicles were built with insufficient air tank reserve capacity, which may provide an insufficient air supply to properly operate the brakes during repetitive brake applications. This may result in reduced braking performance which could result in a vehicle crash. Correction; Dealers will install a brake timing kit and, if necessary, an additional air tank to increase air reservoir capacity.
## 247 On certain trucks, the rear drive axle housing was manufactured with steel below the specified thickness, which could result in fatigue failure over time. If failure occurs, the outboard end of the housing could eventually separate, allowing the hub, axle shaft, and/or wheel and brake assembly to separate from the vehicle. This could cause a vehicle crash with injury or death. Correction; Dealers will inspect and, if required, replace the axle assembly.
## 248 Certain heavy duty trucks. In below freezing operating conditions, the air-pressure actuated brake light switch that is mounted outside the cab on the front cowl, may not activate during light to normal braking and could result in a failure of the brake lights to activate. If the brake lights fail to come on, there will be no lights to indicate to following vehicles that the vehicle is decelerating, which could result in a crash. Correction; Dealers will replace all air brake stop light switches.
## 249 ON VEHICLES WITH ANTILOCK BRAKES,BRAKE FLUID MAY SEEP FROM THE ABS PRESSURE/WARNING SWITCH,EVENTUALLY LEADING TO THE LOSS OF THE HYDRAULIC PUMP MOTOR.ALSO THE PUMP MOTOR AND ABS ELECTRICAL RELAYS MAY HAVE BEEN CONTAMINATED DURING ASSEMBLY.THIS CAN CAUSE LOSS OF THE HYDRAULIC PUMP MOTOR and /OR THE ABS FUNCTION.LOSS OF THE PUMP MOTOR WOULD EVENTUALLY LEAD TO LOSS OF THE REAR BRAKES and LOSS OF POWER ASSIST TO THE FRONT BRAKES.THIS WOULD RESULT IN INCREASED STOPPING DISTANCE.AN INOPERATIVE ABS RELAY COULD CAUSE LOSS OF THE ABS FUNCTION.ABS,PUMP MOTOR RELAYS, and 30 AMP FUSES WILL BE REPLACED.
## 250 Certain vehicles may not comply with Canada Motor Vehicle Safety Standard 208 - Occupant Protection in Frontal Impacts. Prescribed text may have been omitted from the airbag warning label in the French language only. As a result, the French-language warning label is more restrictive than the English. Correction; No corrective recall action is required as this technical non-compliance is deemed to be non-safety related.
## 251 On certain P500 and P600 vheilces, the hydraulic stop lamp switches which illuminate the stop lamps are installed on the low pressure side of the brake system and may not be activated under light brake pedal applications. This condition may not provide adequate warning of vehicle braking to drivers following the vehicle. There is no effect on braking capability.
## 252 ON VEHICLES EQUIPPED WITH SCHWITZER PLASTIC ENGINE COOLING FANS, THE FAN BLADES MAY FAIL CREATING A RISK OF INJURY FROM FLYING PIECES TO MAINTENANCE PERSONNEL SERVICING THE VEHICLES.
## 253 On certain trucks, the wiring, parts, or transmission programming required for the auto neutral feature to function as designed were either not installed, connected, or programmed properly. If any of these conditions exists, the transmission will not automatically shift into Neutral when left in Drive with the parking brake engaged. The vehicle could move without warning increasing the risk of a crash. Correction; Dealers will inspect and, if needed, make the necessary repairs.
## 254 THE ACCELERATOR ROD TO ACCELERATOR ROD HOLE CLEARANCE IS NOT ADEQUATE AND CAN CAUSE BINDING TO OCCUR DUE TO CAB ARTICULATION. IF THIS BINDING IS PRESENT WHILE IN A FULL THROTTLE POSITION, IMMEDIATE CONTROL OF POWER IS LOST WITHOUT WARNING TO THE DRIVER WITH POTENTIAL FOR VEHICLE CRASH. TRUCKS EQUIPPED WITH E-6 ENGINES.
## 255 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 135 - Brake Systems. One of the parking brake cables may not have been installed correctly, which would result in the parking brake being operational on one rear wheel only, causing a reduction in parking brake performance and causing the vehicle to fail to meet the requirements of the standard. This could result in unintended vehicle movement, increasing the risk of a crash causing injury and/or property damage. Correction; Dealers will inspect, and if necessary, re-install the park brake cable.
## 256 THE ACCELERATOR ROD TO ACCELERATOR ROD HOLE CLEARANCE IS NOT ADEQUATE AND CAN CAUSE BINDING TO OCCUR DUE TO CAB ARTICULATION. IF THIS BINDING IS PRESENT WHILE IN A FULL THROTTLE POSITION, IMMEDIATE CONTROL OF POWER IS LOST WITHOUT WARNING TO THE DRIVER WITH POTENTIAL FOR VEHICLE CRASH. TRUCKS EQUIPPED WITH E-6 ENGINES.
## 257 On certain vehicles, the friction material could separate from the brake shoes because of an improper adhesive-curing process during manufacture. If such separation occurs during operation, braking ability with the rear wheel will be reduced or lost. This could result in the loss of control and an accident with injury or death. Correction; Dealers will replace the rear brake shoes.
## 258 Fiat Chrysler Automobiles (FCA) Canada is conducting a voluntary Safety Improvement Program involving Takata driver and/or passenger airbag inflators installed in certain vehicles that were originally sold or ever registered in certain high humidity areas of the United States. Fiat Chrysler Automobiles (FCA) will replace the driver and/or passenger inflator on affected vehicles, depending on the vehicle involved. Owners who believe their vehicles may have been originally purchased or registered in Florida, Hawaii, Puerto Rico, and the U.S. Virgin Islands should contact a Fiat Chrysler Automobile (FCA) dealer. This action is not being conducted under the requirements of the Motor Vehicle Safety Act.Note; This special service campaign was replaced by recalls 2015094 and 2015228. Please see these recalls for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015094>Click here for more information on the 2015094 recall</a><a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information on the 2015228 recall</a>
## 259 ANTI-WHEEL LOCK VALVES SUPPLIED BY EATON CORPORATION MAY BE EXPOSED TO ACCUMULATED CONCENTRATIONS OF FLUID CONTAMINANTS IN THE AIR BRAKE SYSTEM THAT COULD CAUSE THE PISTON TO STICK THEREBY PREVENTING ANY AIR FROM BEING DELIVERED TO THE AIR BRAKE CHAMBERS SUPPLIED BY THAT VALVE. LTHIS CONDITION WILL RESULT IN A NO BRAKE APPLICATION ON THE AFFECTED AXLE, THEREBY EXTENDING VEHICLE STOPPING DISTANCES.
## 260 Note; certain trucks equipped with Westport WS-16 front axles with Eaton ES 16.5 X 5 or 16.5 X 6 brakes. In these combinations the front brake return spring contacts the hub after about 20% wear of the brake shoes. Further wear of the brake material will lead to wear of the return spring and the spring may eventually fail prematurely. Pieces of the failed spring may then lodge in the brake cam causing either the affected brake to stay applied when the other brakes have been released, or stopping the affected brake from applying when the other brakes are applied. Either of these scenarios may cause the vehicle to be pulled in a lateral direction off the road or into on-coming traffic. Correction; Front brakes will be modified by installing horse collar/double return spring kits.
## 261 IN THE EVENT OF AN ACCIDENT REQUIRING DEPLOYMENT OF THE DRIVERS SIDE AIR BAG, THE INFLATOR MODULE COULD SEPARATE AND THE AIR BAG WILL NOT INFLATE AS INTENDED. IN ADDITION, SEPARATION OF THE INFLATOR MODULE MAY RESULT IN HOT GASES ESCAPING INTO THE OCCUPANT COMPARTMENT, PRESENTING THE POSSIBILITY OF BURN INJURY TO VEHICLE OCCUPANTS.CORRECTION; THE AIR BAG INFLATOR MODULES WILL BE REPLACED.
## 262 Certain vehicles may have been built with a passenger side air bag module that may not retain the air bag door during a deployment. Although airbag performance is not affected by this condition, a separated air bag door could injure a vehicle occupant. Correction; Passenger side airbag module will be replaced.
## 263 On certain vehicles, the door latch of the passenger side sliding door may be damaged if excessive force is used for closing the door. Should this happen, the door lock mechanism will not properly engage and could disengage if the vehicle is driven over bumpy roads.
## 264 THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S. 113 - HOOD LATCH SYSTEM.VEHICLES MAY HAVE BEEN PRODUCED WITH AN IMPROPERLY ADJUSTED SECONDARY HOOD LATCH. AS A RESULT, THE SECONDARY HOOD LATCH MAY NOT ENGAGE THE RADIATOR SUPPORT AS INTENDED. THIS CONDITION COULD CAUSE THE HOOD TO OPEN UNEXPECTEDLY. IF THIS WERE TO OCCUR WHILE THE VEHICLE WAS IN MOTION, THE HOOD MAY CONTACT THE WINDSHIELD, REDUCING THE FORWARD VISION AREA OF THE DRIVER, AND A VEHICLE CRASH COULD OCCUR WITHOUT PRIOR WARNING.CORRECTION; SECONDARY HOOD LATCH WILL BE ADJUSTED.
## 265 THE DIE CAST ALUMINUM BASE OF THE WILLIAMS ACCELERATOR PEDAL ASSEMBLY ON THESE VEHICLES MAY FAIL AT THE MOUNTING PADS WHERE THE BASE IS BOLTED TO THE FIREWALL. IF BOTH MOUNTING PADS SHOULD FAIL, THE ACCELERATOR PEDAL ASSEMBLY WOULD TOTALLY SEPARATE FROM THE FIREWALL. THIS COULD DISTRACT THE DRIVER AND IMPAIR VEHICLE CONTROL RESULTING IN A VEHICLE ACCIDENT.CORRECTION; ACCELERATOR PEDAL ASSEMBLY WILL BE INSPECTED AND A PLATE WILL BE INSTALLED BETWEEN THE MOUNTING BASE AND FIREWALL ON UNITS WHERE THE BASE IS NOT BROKEN OR CRACKED. SHOULD THE BASE BE BROKEN OR CRACKED, THE ACCELERATOR PEDAL ASSEMBLY WILL BE REPLACED WITH A NEW RE-DESIGNED ASSEMBLY.
## 266 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 267 THE ABS MODULATOR MAY CORRODE AND LEAK FLUID FROM THE FRONT BRAKE CIRCUIT. BRAKE FLUID LEAKAGE COULD REDUCE BRAKE EFFECTIVENESS AND INCREASE STOPPING DISTANCES. THIS COULD RESULT IN A CRASH WITHOUT PRIOR WARNING. CORRECTION; DEALERS WILL REMOVE EXISTING CORROSION FROM THE ABS MODULATOR AND INSTALL A KIT TO PREVENT FUTURE CORROSION.
## 268 TRUCKS EQUIPPED WITH MACK 6 CYLINDER ENGINES AND FLEXIBLE BLADE ENGINE COOLING FANS. THE FLEXIBLE BLADE FANS MAY DEVELOP FATIGUE CRACKS IN THE LAMINATED STIFFENER. CONTINUED ENGINE OPERATION COULD CAUSE A PIECE OF THE STIFFENER TO BREAK OFF AND BE PROPELLED OUTSIDE OF THE FAN SHROUD. A PROPELLED FRAGMENT COULD CAUSE INJURY TO SERVICE PERSONNEL IN THE VICINITY OF AN OPERATING ENGINE.
## 269 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 270 ENGINE COOLING FANS MAY BE SUSCEPTIBLE TO BLADE SEPARATION. IF THIS CONDITION SHOULD OCCUR WHILE THE COOLING FAN IS IN OPERATION, THE FAN BLADE COULD BE THROWN OUTWARD WITH SUFFICIENT FORCE TO POTENTIALLY PIERCE THE HOOD AND CAUSE SERIOUS PERSONAL INJURY.
## 271 On certain vehicles equipped with cruise control. The brake stop light and cruise control switch may be assembled with incorrect lubrication on the actuating plunger. This results in adverse wear between the internal contacts of the switch which can cause the plunger to stick and cause the rear brake stop lights to become inoperative and if the cruise control is actuated, to stay electrically engaged. Without stop light operation, a vehicle approaching from the rear would not be aware that the brake was being applied. If the cruise control would not disengage through brake pedal operation vehicle sp
## 272 On certain vehicles, heat generated by the brake light bulbs could deform the base of the light socket. This deformation can cause movement in the socket-to-bulb connection, which may lead to a loosening of the electrical contacts in the socket and failure of the bulb to illuminate. Correction; Dealers will replace the rear lamp assemblies.
## 273 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes recalls 2013113, 2014224 and 2015197. Correction; All vehicles having not received a replacement inflator as part of the previous recall will now have a replacement inflator installed by dealers.
## 274 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 275 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 121 - Air Brake Systems. Incorrect brake linings were used on front drum brake assemblies fitted with large diameter tires (Static Load Radius of 20.5 - 21.5], rendering the vehicles noncompliant to the standard. This could result in inadequate braking, increasing stopping distances and increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will install new brake shoes with the correct linings.
## 276 On certain vehicles, the hydraulic lift cylinders are attached to brackets that are welded to the liftgate. under certain conditions, the bracket welds may fracture due to the brackets being inadvertently mislocated relative to the liftgate. There may be a potential for the liftgate bracket to gradually bend inward which might allow the liftgate cylinder ball stud to disengage. Correction; Reinforcement brackets will be installed.
## 277 On certain vehicles, the hydraulic lift cylinders are attached to brackets that are welded to the liftgate. under certain conditions, the bracket welds may fracture due to the brackets being inadvertently mislocated relative to the liftgate. There may be a potential for the liftgate bracket to gradually bend inward which might allow the liftgate cylinder ball stud to disengage. Correction; Reinforcement brackets will be installed.
## 278 On certain vehicles, the front passenger seat occupant classification system software may incorrectly classify the passenger seat as empty, when it is occupied by an adult. If this occurs, the passenger airbag would be deactivated without the illumination of the airbag warning lamp. Failure of the passenger airbag to deploy during a crash (where deployment is warranted) could increase the risk of injury to the seat occupant. Correction; Dealers will reprogram the occupant classification system.
## 279 On certain vehicles, a seal in the brake master cylinder may be susceptible to damage which can result in a leak if certain conditions exist. The polymer content affects the amount of lubrication the brake fluid provides to brake system components that are exposed to brake fluid. If the brake fluid is replaced with a low polymer brake fluid, and the brake fluid is subsequently subjected to a manual brake fluid bleeding procedure, as opposed to an automated brake bleed procedure, it is possible for the seal at the end of the brake master cylinder primary circuit to become twisted within its retention groove. If this seal becomes twisted, it can result in a leak of a small amount of brake fluid each time the brake pedal is applied. Should a leak occur, after some time the driver will be alerted by the illumination of the low brake fluid indicator light on the meter panel before any effect on braking performance results. If the driver continues to drive the vehicle without refilling the brake fluid reservoir, the vehicle will eventually exhibit a soft or spongy brake pedal feel, requiring more stroke to achieve equivalent braking force. Eventually, if this continues un-remedied, braking performance will be affected, and will finally result in a low pedal and a loss of one braking circuit. Correction; Dealers will replace the brake master cylinder seal cup and the master power assembly if brake fluid has leaked.
## 280 Ford of Canada is conducting a voluntary Safety Improvement Program concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Ford will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015232. Please see recall 2015232 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015232>Click here for more information</a>
## 281 On certain vehicles, a seal in the brake master cylinder may be susceptible to damage which can result in a leak if certain conditions exist. The polymer content affects the amount of lubrication the brake fluid provides to brake system components that are exposed to brake fluid. If the brake fluid is replaced with a low polymer brake fluid, and the brake fluid is subsequently subjected to a manual brake fluid bleeding procedure, as opposed to an automated brake bleed procedure, it is possible for the seal at the end of the brake master cylinder primary circuit to become twisted within its retention groove. If this seal becomes twisted, it can result in a leak of a small amount of brake fluid each time the brake pedal is applied. Should a leak occur, after some time the driver will be alerted by the illumination of the low brake fluid indicator light on the meter panel before any effect on braking performance results. If the driver continues to drive the vehicle without refilling the brake fluid reservoir, the vehicle will eventually exhibit a soft or spongy brake pedal feel, requiring more stroke to achieve equivalent braking force. Eventually, if this continues un-remedied, braking performance will be affected, and will finally result in a low pedal and a loss of one braking circuit. Correction; Dealers will replace the brake master cylinder seal cup and the master power assembly if brake fluid has leaked.
## 282 On certain vehicles, a change in the internal linkage of cab doors has created a possible binding condition.If the linkage binds, full engagement of the door latch may not occur, allowing the door to open inadvertently. Correction;Dealers will modify the door linkage to correct the potential of binding.
## 283 THE REAR PROPORTIONING MODULE OF THE BRAKE COMBINATION VALVE MAY HAVE BEEN IMPROPERLY MACHINED AND BRAKE FLUID PRESSURE TO THE REAR BRAKES MAY BE BLOCKED OFF.
## 284 THE PARKING BRAKE LEVER RELEASE KNOB COULD STICK, CREATING THE POTENTIAL FOR THE LEVER TO RELEASE UNINTENTIONALLY WITH A CORRESPONDING REDUCTION IN PARKING BRAKE APPLICATION FORCE. CORRECTION; PARKING BRAKE LEVER GRIP WILL BE REPLACED WITH ONE OF A NEWER DESIGN.
## 285 On certain motorcycles, the hydraulic clutch system may develop a tear in the primary cup (seal) on the clutch master cylinder piston, if this occurs, the system may lose the ability to maintain sufficient lift to keep the clutch disengaged. If this condition remains undetected, it could allow the motorcycle to creep forward from a stop, which could lead to a loss of control of the vehicle possibly causing a crash causing injury and/or damage to property. Correction; Dealers will rebuild the clutch master cylinder with a recall repair kit.
## 286 Certain vehicle configuration which includes an AG400 rear suspension, long stroke brake chambers, and wide base tires may develop an increase in lateral and vertical axle movement. This movement may cause part or parts of the brake assembly to develop fatigue cracks, possibly resulting in the failure of part or parts within the brake assembly. A failure may reduce vehicle brake performance, increasing the risk of a crash causing personal injury or death. Correction; Dealers will affect repairs.
## 287 ON VEHICLES WITH 4 CYLINDER ENGINES, WATER MAY FREEZE IN THE ACCELERATOR CONTROL CABLE CONDUIT DURING COLD WEATHER. THIS WOULD CAUSE HIGH ACCELERATOR PEDAL EFFORT OR CABLE BINDING WHICH IN TURN COULD RESULT IN THE THROTTLE NOT RETURNING TO IDLE WHEN THE ACCELERATOR PEDAL IS RELEASED. IF THIS WERE TO HAPPEN WHILE THE VEHICLE WAS IN MOTION, A VEHICLE CRASH COULD OCCUR.CORRECTION; ACCELERATOR CONTROL CABLE ASSEMBLY WILL BE REPLACED ON AFFECTED VEHICLES.
## 288 Certain vehicles may have a brake system master cylinder internal piston seal vacuum venting malfunction. Lack of internal vacuum venting may result in the intermittent loss of front wheel braking capability. Instrument panel lighting will provide warning of partial braking system loss.
## 289 THE ADDITIONAL IN-LINE FUEL FILTER BETWEEN THE FUEL TANK AND THE FUEL PUMP MAY EXPERIENCE FUEL SEEPAGE AT THE SEAM OF THE CASING. IN THE PRESENCE OF AN IGNITION SOURCE, LEAKED FUEL COULD IGNITE AND RESULT IN AN ENGINE FIRE. CORRECTION; FILTER WILL BE REPLACED WITH A STRAIGHT FUEL HOSE. V.I.N. RANGE; ALSO, THE FUEL HOSE ON THE ENGINES RIGHT SIDE, COULD, UNDER CERTAIN CLIMATIC AND DRIVING CONDITIONS, BECOME BRITTLE AND CONSEQUENTLY LEAK FUEL. CORRECTION; THE FUEL HOSE IS TO BE REPLACED WITH IMPROVED PARTS.
## 290 Certain vehicles may have a brake system master cylinder internal piston seal vacuum venting malfunction. Lack of internal vacuum venting may result in the intermittent loss of front wheel braking capability. Instrument panel lighting will provide warning of partial braking system loss.
## 291 1980 - 81 S-SERIES 1700/1800/1900 TRUCKS AND TRUCK TRACTORS WITH SINGLE HYDRAULIC POWER BRAKE SYSTEM. THE EXTRA LENGTH OF A BRAKE FLUID LINE ADAPTER FITTING USED IN CONJUNCTION WITH AN INCORRECT THROUGH-FRAME FITTING COULD MOVE THE FLUID LINE INTO A LOCATION THAT INTERFERES WITH THE TRAVEL OF THE CLUTCH ROD AND THUS CAUSE WEAR ON THE FLUID LINE. CONTINUED WEAR COULD RESULT IN LOSS OF BRAKE FLUID AND SUBSEQUENT LOSS OF VEHICLE BRAKING CAPABILITY. THIS COULD CAUSE VEHICLE CRASH WITHOUT PRIOR WARNING.
## 292 THE WRONG BALL SOCKET ASSEMBLY WAS USED TO ATTACH THE STEERING ARMS TO THE STEERING DRAG LINK AND THE STEERING RAM ASSIST CYLINDER. THE ASSEMBLY MAY BIND UNDER EXTREME STEER ARTICULATION. THIS CONDITION COULD OVER TIME, WITHOUT WARNING, FATIGUE FAIL THE BALL SOCKET CAUSING POSSIBLE LOSS OF STEERING CONTROL AND AN ACCIDENT. CORRECTION; DEALERS WILL INSPECT AND WHERE REQUIRED, REPLACE THE FACTORY INSTALLED BALL SOCKET ASSEMBLY(S).
## 293 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 294 On certain vehicles, the software of the ABS control unit (ECU) is incomplete. The software required to initiate the illumination of the red BRAKE warning lamp during the check of lamp function, when the ignition switch is turned to the ON position, when the engine is not running, is not included. This could result in the driver not being aware that the lamp is inoperative, and the light not illuminating to notify the driver when the brake fluid pressure or fluid level is too low, which could increase the risk of a crash. Correction; Dealers will reprogram the ABS control unit.
## 295 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 296 A SMALL NYLON BUSHING IN THE CRUISE CONTROL SERVO BAIL (BRACKET) MAY SLIP OUT OF PLACE RESULTING IN POSSIBLE INTERMITTENT INCREASES IN ENGINE SPEED OR DIESELING. THIS CONDITION COULD ALSO CAUSE THE SERVO ROD ASSEMBLY TO WEAR THROUGH THE BALL AND CATCH ON OTHER COMPONENTS POSSIBLY RESULTING IN A STUCK THROTTLE. THIS COULD RESULT IN LOSS OF VEHICLE CONTROL AND A POSSIBLE CRASH. CORRECTION; A BUSHING KIT WILL BE INSTALLED ON THE CRUISE CONTROL SERVO BAIL.
## 297 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 298 On certian CB750F, GL1000 and GL1000LTD, when the rear disc brake is applied during vehicle operation in heavy rain, there may be a noticeable initial reduction in braking effectiveness followed by a gradual recovery to normal effectiveness if the pedal force is not increased to compensate for reduced initial effectiveness, a longer stopping distance will result. If the pedal force is first increased the maintained, despite the recovery of the brake, available tire traction may be exceeded resulting in skidding of the rear wheel and possible loss of vehicle control.
## 299 On certain vehicles, the 12 X 4 DCM Drum Parking Brake Assemblies were fastened to the brake flange yoke with 1.25 attaching bolts. These bolts may interfere with the actuator strut in the parking brake assembly. Such interference could prevent the brake from being properly engage and disengaged. Correction; Dealers will replace bolts.
## 300 1983-87 E-250 AND 350 WITH 7.5 LITRE AND 1985-87 HEAVY DUTY E-250 AND 350 WITH 5.8 LITRE 4V ENGINE AND A GVW OVER 8,500 LBS. THESE VEHICLES HAVE BEEN DETERMINED TO GENERATE EXCESSIVE UNDERBODY TEMPERATURES AND FUEL SYSTEM PRESSURES IN SEVERE DUTY APPLICATIONS, PARTICULARLY IF FUELED WITH OVERLY VOLATILE GASOLINE. THIS CAN CREATE AN ABNORMAL POTENTIAL FOR EXPULSION OF LIQUID FUEL FROM THE FILLER PIPE UPON REMOVAL OF THE FUEL TANK FILLER CAP. IN THE PRESENCE OF AN IGNITION SOURCE, A VEHICLE FIRE COULD OCCUR. CORRECTION; VEHICLES WILL BE MODIFIED TO MINIMIZE THE POSSIBILITY OF FUEL EXPULSION AND SHIELD UNDERBODY COMPONENTS FROM EXCESSIVE UNDERBODY HEAT. NOTE; E250 AND 350 CLUB WAGONS AND ECONOLINE VANS AND CHASSIS.
## 301 1983-87 E-250 AND 350 WITH 7.5 LITRE AND 1985-87 HEAVY DUTY E-250 AND 350 WITH 5.8 LITRE 4V ENGINE AND A GVW OVER 8,500 LBS. THESE VEHICLES HAVE BEEN DETERMINED TO GENERATE EXCESSIVE UNDERBODY TEMPERATURES AND FUEL SYSTEM PRESSURES IN SEVERE DUTY APPLICATIONS, PARTICULARLY IF FUELED WITH OVERLY VOLATILE GASOLINE. THIS CAN CREATE AN ABNORMAL POTENTIAL FOR EXPULSION OF LIQUID FUEL FROM THE FILLER PIPE UPON REMOVAL OF THE FUEL TANK FILLER CAP. IN THE PRESENCE OF AN IGNITION SOURCE, A VEHICLE FIRE COULD OCCUR. CORRECTION; VEHICLES WILL BE MODIFIED TO MINIMIZE THE POSSIBILITY OF FUEL EXPULSION AND SHIELD UNDERBODY COMPONENTS FROM EXCESSIVE UNDERBODY HEAT. NOTE; E250 AND 350 CLUB WAGONS AND ECONOLINE VANS AND CHASSIS.
## 302 Certain vehicles may suffer cracking of various brake assembly components (i.e. brake cam tube mounting flanges, brake air chamber bracket, brake air chamber, brake spider). Over time, this cracking can cause a complete fracture of the cam tube, which could increase stopping distances and decrease parking brake hold capability. A reduction of braking capability could increase the risk of a crash causing property damage, personal injury or death. Correction; Dealers will inspect the rear axle brake assembly, replace cracked rear axle brake components where required, and install cam tube support brackets on all rear axle wheel ends.
## 303 A STEEL TUBE THAT DELIVERS AIR TO THE FRONT AXLE AIR BRAKE CHAMBER CAN CONTACT THE FRONT SHOCK ABSORBER. REPEATED CONTACT CAN RESULT IN A HOLE BEING WORN IN THE TUBE CAUSING AIR PRESSURE TO BE LOST DURING BRAKE APPLICATION. THIS COULD RESULT IN LOSS OF BRAKES AND POSSIBLE VEHICLE CRASH.
## 304 On certain vehicles equipped with the AG400L suspension and air disc brakes, a caliper could be installed on the wrong side of the drive axle. This could cause interference with the suspension bracket and U-bolts as the outermost brake pads wear and the floating caliper moves inboard. As this interference gets larger, it prohibits the movement of the floating caliper, subsequently reducing the outer pads pressure on the disc which can eventually lead to reduced braking performance and increasing the risk of a crash. Correction; Dealers will inspect and, if necessary, replace one drive axle brake caliper.
## 305 Chrysler Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Chrysler Canada will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015228. Please see recall 2015228 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information</a>
## 306 VEHICLES MODIFIED TO RUN ON PROPANE MAY LEAK FUEL IN THE ENGINE COMPARTMENT AS THE RESULT OF IMPROPERLY TIGHTENED FUEL SYSTEM COMPONENTS THUS CREATING A RISK OF FIRE.
## 307 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 308 Certain vehicles do not comply with the requirements of CMVSS 208 - Seat Belt Installations. The air bag warning labels may be in English only, rather than in English and French as required by the standard. Correction; Dealers will install correct bilingual air bag labels in affected vehicles.
## 309 VEHICLES EQUIPPED WITH A TRANSMISSION MOUNTED INTERNAL EXPANDING TYPE PARKING BRAKE MAY HAVE A CRACKED PARKING BRAKE ACTUATING LEVER CAM. UNDER NORMAL OPERATING CONDITIONS, IN TIME, THE CRACK CAN GRADUALLY WIDEN, REDUCING THE FORCE OF THE PARKING BRAKE. THE WIDENING OF THE CRACK CAN ALSO OCCUR WHEN THE PARKING BRAKE IS APPLIED. IF THIS SHOULD HAPPEN TO AN UNATTENDED VEHICLE, IT COULD ROLL AWAY UNCONTROLLED.
## 310 UNDER EXTREMELY LOW TEMPERATURE OPERATING CONDITIONS AND INFREQUENT BRAKE OPERATION THERE IS THE POSSIBILITY THAT CONDENSED MOISTURE FROM A SURGE TANK MIGHT SEEP INTO THE BRAKE BOOSTER VACUUM HOSE AND FREEZE. OVER TIME, THE ICE MAY ACCUMULATE AND EVENTUALLY PLUG THE HOSE, THEREBY ELIMINATING THE VACUUM ASSIST TO THE BRAKES. THE INCREASED PEDAL PRESSURE REQUIRED TO APPLY THE BRAKES COULD LEAD TO AN INCREASE IN STOPPING DISTANCE AND A POSSIBLE VEHICLE ACCIDENT. CORRECTION; BRAKE VACUUM HOSE WILL BE REPLACED WITH A NEWLY CONFIGURED VERSION.
## 311 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS. PLUGGED CHOKE VACUUM DELAY VALVE. NOTE; VEHICLES EQUIPPED WITH 2.2 LITRE CARBURETED ENGINES.
## 312 Certain vehicles do not comply with the requirements of CMVSS 201- Occupant Protection. Vehicles have a console cover/armrest cam latch that can release at less than the 10 g vertical load restriction required by the standard. Correction; Console latch mechanism will be replaced.
## 313 THESE VEHICLES ARE EQUIPPED WITH AN EMISSION SYSTEM VALVE IN THE VACUUM LINE BETWEEN THE FUEL VAPOUR CANISTER AND THE CARBURETOR WHICH MAY ALLOW A FUEL-LOADED CANISTER TO SURGE AND CAUSE AN OVERRICH MIXTURE TO BE DRAWN INTO THE INTAKE MANIFOLD. AN OVERRICH MIXTURE COULD CAUSE LOSS OF ENGINE POWER DURING ENGINE DECELERATION OPERATIONS AND COULD ADVERSELY AFFECT VEHICLE CONTROL.
## 314 On certain truck-mounted digger derricks, metal shims used on the hydraulic lift cylinder may be too soft and could compress under load. As a result, the rod eye casting could fail. This would allow the boom to fall, placing anyone near or beneath at risk of personal injury. Correction; Dealers will replace the existing shims and spacer with one hardened spacer.
## 315 Certain vehicles fail to conform to Canada Motor Vehicle Safety Standard 105 - Hydraulic and Electric Brake Systems. On subject vehicles, the parking brake telltale lamp does not illuminate when the key is in the on or start positions. Correction; Due to the inconsequential nature of this non-compliance, no action will be taken.
## 316 NOTE; VEHICLES LOCATED IN ONTARIO, QUEBEC AND THE ATLANTIC PROVINCES.THE FUEL PUMP WIRING ASSEMBLY MAY CORRODE DUE TO ROAD SALT, POSSIBLY RESULTING IN AN ELECTRICAL BRIDGE DEVELOPING BETWEEN THE FUEL PUMP ELECTRICAL CIRCUIT AND THE FUEL GAUGE SENDER TERMINALS. THIS COULD CAUSE THE FUEL SENDER GROUND CIRCUIT TO OVERHEAT THE WIRING AND MELT ITS INSULATION PRIOR TO THE OPENING OF THE FUSE IN THE FUEL PUMP POWER CIRCUIT. THIS WOULD CAUSE SMOKE AND ODOUR AND COULD RESULT IN LOSS OF FUEL DELIVERY TO THE ENGINE AND THE ENGINE STOPPING. CORRECTION; A FUSED JUMPER HARNESS WILL BE INSTALLED IN THE FUEL PUMP/SENDER ELECTRICAL CIRCUIT.
## 317 On certain vehicles, a varistor in the Occupant Classification System (OCS) control unit located in the passenger seat cushion may have been manufactured incorrectly. Under certain conditions, this could cause an interruption of signal between the OCS and the Airbag control unit (ACU). This could result in the passenger airbag being suppressed. The (red) supplemental airbag warning light would flash and the (amber) front passenger airbag status light would illuminate to alert the vehicle operator, however in case of a crash a suppressed airbag could result in personal injury or death. Correction; Dealers will test the signal between the OCS and ACU and if necessary will replace the seat cushion containing OCS hardware.
## 318 On certain vehicles, a wiring defect could cause the airbag warning lamp to fail to illuminate in the event of a fault with the side curtain airbag system. As a result, a fault could go undetected by the driver, and cause the side airbag to fail to deploy in a crash. This could increase the risk of injury. Correction; Dealers will affect repairs.
## 319 On certain vehicles, the right-side halfshaft retention clip may not have been fully engaged, and could allow the halfshaft to separate. If this were to occur while the vehicle is being driven, it could result in a loss of motive power. If this were to occur while the vehicle is parked on an incline without the parking brake applied, it could result in unintended vehicle movement. Both situations could increase the risk of a crash causing injury and/or property damage. Correction; Dealers will inspect halfshafts for full retention and affect repairs as necessary.
## 320 VEHICLES ERECTED BETWEEN FEBRUARY 18, 1975 AND JANUARY 29, 1976. SUSPECT UNITS MAY HAVE HAD THE MASTER CYLINDER PUSH ROD IMPROPERLY ASSEMBLED IN THAT THE EYE OF THE PUSH ROD AT THE BRAKE PEDAL END MAY NOT HAVE BEEN PROPERLY PLACED OVER THE SHOULDER OF THE SPECIAL MOUNTING NUT.
## 321 On certain vehicles, a manufacturing defect in the unitized hub assemblies could result in premature spalling of the front wheel bearings, which in turn could lead to eventual breakdown of the bearing, possible front wheel separation and loss of vehicle control amidst the presence of warning signals such as activation of ABS warning light, steering wheel vibration, brake drag, noise, and vehicle pull. Correction; Dealer will replace both front hub assemblies.
## 322 VEHICLES ERECTED BETWEEN FEBRUARY 18, 1975 AND JANUARY 29, 1976. SUSPECT UNITS MAY HAVE HAD THE MASTER CYLINDER PUSH ROD IMPROPERLY ASSEMBLED IN THAT THE EYE OF THE PUSH ROD AT THE BRAKE PEDAL END MAY NOT HAVE BEEN PROPERLY PLACED OVER THE SHOULDER OF THE SPECIAL MOUNTING NUT.
## 323 On certain vehicles, the stop lamp switch may have been incorrectly installed during vehicle assembly. This could prevent proper brake lamp operation. Failure of the brake lamps to illuminate when the brakes are applied may result in the following road users being unaware of the drivers intentions, increasing the risk of a crash causing injury or death. A malfunction of the switch may also cause the brake lamps to remain illuminated when the brake pedal is released. Additionally, a faulty switch may affect the operation of the brake-transmission shift interlock on automatic transmission-equipped vehicles so that the transmission shifter would not be able to be shifted out of PARK position. It may also cause the Electronic Stability Control (ESC) light to illuminate, and it may not deactivate the cruise control when the brake pedal is depressed. Correction; Dealers will replace the stop lamp switch assembly.
## 324 A WIRE INSIDE THE ELECTRIC MOTOR DRIVEN GEARBOX ACTUATOR MAY COME INTO CONTACT WITH THE INNER FACE OF THE ASSEMBLY CASE, CAUSING FRETTING OF THE WIRE AND ALSO CAUSING THE FUSE PROTECTING THE CIRCUIT TO BLOW IF THIS OCCURS IT WOULD NOT BE POSSIBLE TO ENGAGE THE DESIRED GEAR RANGE AND MAY NOT BE POSSIBLE TO RESTART THE VEHICLE AFTER THE ENGINE HAS BEEN SWITCHED OFF. IF PARK IS NOT ENGAGED AND THE DRIVER DOES NOT APPLY THE PARKING BRAKE, A ROLL AWAY COULD OCCUR. CORRECTION; AFFECTED WIRE WILL BE REPOSITIONED.
## 325 On certain vehicles equipped with an advanced airbag feature, the Occupant Classification System (OCS) installed in the right front seat of the vehicle may misclassify a child restraint seat as an adult. This may occur if the child seat is installed after an adult has been seated in the right front seat and there has not been a key ON - key OFF cycle with the right front seat empty prior to installation of the child restraint. The possibility of misclassification of a child restraint as an adult may allow the right front airbag or side impact airbag to deploy in a crash and could result in injury to the right front occupant. Correction; Dealers will reprogram the vehicles OCS Electronic Control Unit (ECU).
## 326 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 327 A WIRE INSIDE THE ELECTRIC MOTOR DRIVEN GEARBOX ACTUATOR MAY COME INTO CONTACT WITH THE INNER FACE OF THE ASSEMBLY CASE, CAUSING FRETTING OF THE WIRE AND ALSO CAUSING THE FUSE PROTECTING THE CIRCUIT TO BLOW IF THIS OCCURS IT WOULD NOT BE POSSIBLE TO ENGAGE THE DESIRED GEAR RANGE AND MAY NOT BE POSSIBLE TO RESTART THE VEHICLE AFTER THE ENGINE HAS BEEN SWITCHED OFF. IF PARK IS NOT ENGAGED AND THE DRIVER DOES NOT APPLY THE PARKING BRAKE, A ROLL AWAY COULD OCCUR. CORRECTION; AFFECTED WIRE WILL BE REPOSITIONED.
## 328 POSSIBILITY THAT THE WELDING PROCESS ON THE LEFT FRONT FRAME MEMBERS WAS NOT PERFORMED CORRECTLY.
## 329 On certain vehicles, the body cross sill may contact the front, right-hand brake pipe. This could eventually wear a hole in the brake pipe over the normal life of the vehicle and result in a brake fluid leak. This could ultimately result in a partial brake system failure and increased stopping distances. Correction; Dealers will inspect for brake pipe wear and replace worn section if necessary. A spacer clip will be installed to ensure adequate clearance.
## 330 VARIOUS MALUFNCTIONS OF THE SERVICE BRAKES ANTI-LOCK COMPUTER MODULE SYSTEM CAN OCCUR WHEN THE MODULE IS SUBJECTED TO HIGH OUTPUT RADIO FREQUENCY ENERGY DURING RADIO TRANSMISSION OF ONBOARD TRUCK MOUNTED TWO-WAY RADIOS. MALFUNCTIONS KNOWN, RANGE FROM ILLUMINATION OF NO APPARENT EFFECT ON THE VEHICLE BRAKING SYSTEM, TO A MOMENTARY LOSS OF BRAKE EFFECTIVENESS ON ONE OR MORE AXLES. THE DEFECT CAN CAUSE VEHICLE CRASH IF RADIO TRANSMISSION IS MADE DURING BRAKE APPLICATION.
## 331 Certain vehicles may exhibit a condition in which the power sliding door closes, but is not latched, If this happens the power sliding door can open while the vehicle is in motion, particularly when the vehicle ascends a hill, makes a turn, or travels over a rough road surface. An unrestrained occupant could fall out of the vehicle and be injured. Correction; Dealers will install a new power sliding door un-latch actuator assembly.
## 332 E350 RV AND COMMERCIAL CUTAWAY ECONOLINE VEHICLES. SOME VEHICLES WHERE COMPLETED WITH BODIES WHICH RESTRICTED THE DISSAPATION OF UNDERBODY HEAT.IN SUCH A CASE EXTENDED IDLING COULD OVERHEAT THE COMPOSITE GRAPHITE DRIVESHAFT AND,IF A HIGH START UP TORQUE APPLIED,TWIST AND SHORTEN THE DRIVESHAFT CAUSING THE SLIP YOKE TO DISCONNECT. CORRECTION;METAL DRIVESHAFTS WILL BE INSTALLED.
## 333 On certain vehicles, the fifth wheel remote unlocking switch may not work as designed. As a result, the driver may inadvertently release the 5th wheel latch when the park brake is applied if he/she presses or bumps the switch. This could cause the trailer to decouple from the truck increasing the risk of injury and/or damage to property. Correction; Dealers will add a redundant measure such as an additional switch or adding a thumb lock that requires 2 actions to push the switch.
## 334 On certain vehicles, there is a risk that some drivers may bump the ignition key with their knee and unintentionally move the key from out of the run position. If this were to occur, engine power, power braking and power steering would be affected, which would unexpectedly increase steering and brake pedal effort, potentially increasing stopping distances and the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; Dealers are to remove the key blade from the original flip key/transmitter assemblies provided with the vehicle, and provide two new keys and two key rings for every original key. Important note; Until the correction is performed, drivers should adjust their seat and steering column to allow clearance between their knee and the ignition key.
## 335 On certain vehicles, there is a risk that some drivers may bump the ignition key with their knee and unintentionally move the key from out of the run position. If this were to occur, engine power, power braking and power steering would be affected, which would unexpectedly increase steering and brake pedal effort, potentially increasing stopping distances and the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; Dealers are to remove the key blade from the original flip key/transmitter assemblies provided with the vehicle, and provide two new keys and two key rings for every original key. Important note; Until the correction is performed, drivers should adjust their seat and steering column to allow clearance between their knee and the ignition key.
## 336 On certain fire trucks, specific operating conditions (such as tight, successive, highly banked curves in opposite directions], could trigger unintended Electronic Stability Control (ESC) system intervention. As a result, the ESC may unnecessarily apply one of the front brakes in order to correct the perceived oversteer condition. This may cause the vehicle to deviate from the intended path, thereby increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ESC module.
## 337 THESE VEHICLES WERE BUILT WITH A POTENTIALLY DEFECTIVE BATTERY. THE GAS VENTS ON THESE BATTERIES MAY BE PARTIALLY OR COMPLETELY BLOCKED BY PLASTIC FLASHING WHICH COULD CAUSE A BUILD UP OF INTERNAL GAS PRESSURE AND POSSIBLY RESULT IN RUPTURE OF THE BATTERY CASE. THIS COULD BE HAZARDOUS TO PERSONS IN CLOSE PROXIMITY TO THE BATTERY OR UNDER THE VEHICLE WHILE SERVICING. FOUR DOOR ARIES AND RELIANT MODELS ONLY.
## 338 On certain vehicles, the brake booster input rod may have been installed without the retaining clip, or in some cases, with an improperly formed retaining clip. Should the input rod separate from the assembly it could lead to a loss of brakes, which could result in a vehicle crash causing property damage, personal injury or death. Correction; Dealers will install or replace the retaining clips.
## 339 THE BRAKE PROPORTIONER VALVES MAY BREAK AND SEPARATE FROM THE MASTER CYLINDER DURING BRAKING. THIS WILL RESULT IN A LOSS OF BRAKE FLUID AND A PARTIAL LOSS OF BRAKING ACTION
## 340 THE BRAKE PROPORTIONER VALVES MAY BREAK AND SEPARATE FROM THE MASTER CYLINDER DURING BRAKING. THIS WILL RESULT IN A LOSS OF BRAKE FLUID AND A PARTIAL LOSS OF BRAKING ACTION
## 341 On certain motorcycles, hreaded fasteners used to attach the brake rotors to the front and rear wheel assemblies could fail due to hydrogen embrittlement. The failure could occur under the head of the fastener if a crack develops, causing a loss of clamp load and possible separation of the head from the threaded body of the fasteners. A fastener failure will reduce the strength of the bolt assembly and could affect the braking characteristics of the vehicle. Correction; Dealers will replace the rotor bolts.
## 342 Certain vehicles equipped with power-operated sunroof systems may fail to conform to Canada Motor Vehicle Safety Standard (CMVSS) 118 - Power-Operated Window, Partition and Roof Panel Systems. The roof panels could close automatically when the non-recessed portion of the Slide or Tilt switches are pressed and the roof panel is open, which is contrary to the standard. The switch could be more susceptible to an inadvertent actuation, which could result in unintended auto-closure of the roof panel, increasing the risk of injury. Correction; Dealers will update the Body Control Module (BCM], which will remove the one touch (momentary actuation) feature for certain switch positions.
## 343 THE HYDRAULIC PARKING BRAKE CONTROL VALVE MAY INADVERTENTLY ACTIVATE DUE TO MOMENTARY PRESSURE DISRUPTION IN THE HYDRAULIC PARKING BRAKE SYSTEM, RESULTING IN THE APPLICATION OF THE REAR AXLE BRAKES. SHOULD THIS OCCUR WHILE THE VEHICLE IS BEING OPERATED ON A SLIPPERY OR LOOSE-MATERIAL ROAD SURFACE, THE POTENTIAL FOR LOSS OF VEHICLE CONTROL WOULD EXIST. ALSO, SINCE THE PARKING BRAKE SYSTEM DOES NOT ACTUATE THE BRAKE STOP LIGHTS, THE RISK OF A REAR IMPACT WOULD BE INCREASED.
## 344 On certain vehicles, the air bag electronic control module (AECM) will corrode if water/road salt is introduced onto the interior floor in the proximity of the AECM. The resulting corrosion of the AECM could cause the drivers side air bag to deploy inadvertently. Correction; Dealers will replace the existing AECM with one that is sealed from moisture intrusion.
## 345 On certain trucks, bolts fastening the brake calipers to their mounting plates (on all axles) may not have received adequate tightening torque during vehicle assembly. Loose bolts could allow a caliper to detach from its mounting plate, causing the vehicle to pull to one side when braking and could also increase stopping distances. These issues could result in a crash causing property damage and/or personal injury. Correction; Dealers will tighten the caliper mounting bolts to the specified torque.
## 346 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 121 - Air Brake Systems. The two service brake connections of the SR-7 spring brake valve assembly that provide the valve with feedback from the primary and secondary service brake applications may have been incorrectly reversed during installation. Although the SR-7 valve would still function properly if there were normal reservoir pressure, in the event of a failure in the primary or secondary circuit, the redundant circuit would not provide adequate service brake functionality, and the vehicle would fail to meet the emergency brake system performance standard. This could result in reduced braking performance which could result in a vehicle crash. Correction; Dealers will inspect, remove and reconnect the air lines to the correct port of the SR-7 valve.
## 347 Certain vehicles use brake fluids containing polymers that act as lubricants for certain brake system components. If during vehicle maintenance, brake fluid is used that does not contain such polymers or only small amounts, part of the internal rubber seal located at the end of the brake master cylinder piston may become dry and may curl during movement of the piston. If this occurs, a small amount of the brake fluid could slowly leak from the brake master cylinder into the brake booster, resulting in illumination of the brake warning lamp. If the brake warning light has illuminated and the vehicle continues to be operated without refilling the master cylinder brake fluid reservoir, the driver will begin to notice a spongy or soft brake pedal feel and braking performance may gradually decline. This will increase the stopping distance, increasing the likelihood of a crash. Correction; Dealers will replace the brake master cylinder seal with a newly designed one.
## 348 On certain motorcycles, corrosion could form inside the front brake master cylinder, which could cause a spongy brake feel. This could potentially lead to extended stopping distances, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will install a redesigned front brake master cylinder.
## 349 In order to meet government NCAP crash testing standards, changes to the side impact protection system were recently introduced into production. These changes could cause the wiring harness that sends the signal to inflate the side impact airbag to become damaged. Under certain crash conditions, the side impact airbag may not deploy. Correction; Dealers will install a revised wiring harness that provides a more protected path for the wires.
## 350 Certain vehicles use brake fluids containing polymers that act as lubricants for certain brake system components. If during vehicle maintenance, brake fluid is used that does not contain such polymers or only small amounts, part of the internal rubber seal located at the end of the brake master cylinder piston may become dry and may curl during movement of the piston. If this occurs, a small amount of the brake fluid could slowly leak from the brake master cylinder into the brake booster, resulting in illumination of the brake warning lamp. If the brake warning light has illuminated and the vehicle continues to be operated without refilling the master cylinder brake fluid reservoir, the driver will begin to notice a spongy or soft brake pedal feel and braking performance may gradually decline. This will increase the stopping distance, increasing the likelihood of a crash. Correction; Dealers will replace the brake master cylinder seal with a newly designed one.
## 351 On certain vehicles, the steering wheel clock spring could become contaminated with long hair or long fibers which may cause a displacement of the internal guide loops. When the guide loops are dragged out of position, they may apply tension to the internal flat cable and cause it to tear. Should the cable tear, the electrical connection to the drivers front airbag may be lost, causing the airbag monitoring indicator light to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will affect repairs.
## 352 On certain vehicles, the body cross sill may contact the front, right-hand brake pipe. This could eventually wear a hole in the brake pipe over the normal life of the vehicle and result in a brake fluid leak. This could ultimately result in a partial brake system failure and increased stopping distances. Correction; Dealers will inspect for brake pipe wear and replace worn section if necessary. A spacer clip will be installed to ensure adequate clearance.
## 353 VEHICLES EQUIPPED WITH POWER BRAKES. GASOLINE VAPOR MAY CONDENSE IN THE POWER BRAKE BOOSTER AT TEMPERATURES OF O DEGREES FARENHEIT OR LOWER. THIS CONDITION CAN CAUSE THE BRAKE RUBBER DIAPHRAM TO DETERIORATE AND RUPTURE DURING BRAKE APPLICATION RESULTING IN UNEXPECTED LOSS OF POWER ASSISTED BRAKING.
## 354 On certain vehicles, the secondary clutch disengagement switch may have been omitted during vehicle assembly or, in some instances, removed during servicing. As such, primary switch failure would cause the automated manual transmissions clutch to remain engaged when the brakes are applied. This could increase stopping distances, possibly resulting in a crash causing property damage and/or personal injury. Correction; Dealers will install a micro-switch at the brake pedal and update the software to run a diagnostic on the switch during engine start-up.
## 355 VEHICLES MAY HAVE INCORRECTLY INSTALLED LEFT FRONT BRAKE HOSES WHICH LOOP UPWARD RATHER THAN DOWNWARD AND COULD CONTACT THE ADJACENT TIRE IN A FULL LEFT TURN POSITION. THIS CONDITION RESULTS IN CHAFING AND WEAR OF THE BRAKE HOSE RESULTING IN BRAKE FLUID LEAKAGE AND LOSS OF FRONT WHEEL BRAKING CAPABILITY.
## 356 Certain vehicles may suffer cracking of various brake assembly components (i.e. brake cam tube mounting flanges, brake air chamber bracket, brake air chamber, brake spider). Over time, this cracking can cause a complete fracture of the cam tube, which could increase stopping distances and decrease parking brake hold capability. A reduction of braking capability could increase the risk of a crash causing property damage, personal injury or death. Correction; Dealers will inspect the rear axle brake assembly, replace cracked rear axle brake components where required, and install cam tube support brackets on all rear axle wheel ends.
## 357 1972-73 VEHICLES EQUIPPED WITH AIR CONDITIONING. THE MAIN ELECTRICAL POWER FEED CIRCUIT MAY BE INTERRUPTED DUE TO THE SEPARATION OF A TERMINAL CONNECTION IN THE WIRING CIRCUIT AT THE MULTIPLE CIRCUIT BULKHEAD CONNECTOR. SHOULD THIS OCCUR THERE WOULD BE A COMPLETE AND SUDDEN LOSS OF ELECTRICAL POWER TO THE ENGINE, LIGHTS AND OTHER ACCESSORIES.
## 358 On certain motorcycles, the proximity of the rear brake lamp switch to the exhaust system may induce heat into the brake switch that is beyond its temperature design limit. This could affect brake lamp function and/or cause a brake fluid leak through the switch. Failure of the brake lamp to illuminate when the brakes are applied may result in the following road users being unaware of the riders intentions, increasing the risk of a crash. Brake fluid leakage could result in the loss of rear brake function which, in conjunction with traffic and road conditions, and the riders reactions, could increase the risk of a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will replace the rear brake lamp switch with an updated version.
## 359 On certain vehicles, the air suspension height control valve may not be plumbed through an air pressure protection valve. In the event of a suspension air bag failure or rupture of the air line, there would be a loss of air pressure in the B system air reservoir that supplies air pressure for the front steer axle brakes. This condition would increase stopping distance of the vehicle and under certain conditions could result in a crash. Correction; Dealers will install an air pressure protection valve in the B system air tank.
## 360 VEHICLES IN THE FOLLOWING COMBINATIONS; 1975-77 WITH 225 CID SINGLE BARREL ENGINES OR 1976-77 WITH 225/318 CID TWO BARREL ENGINES WITH CATALYTIC CONVERTERS. THE VEHICLES HAVE A POTENTIAL FOR PERSISTENT ENGINE STALLING UNDER CERTAIN DRIVING CONDITIONS DUE TO A DISTORTION IOF THE CARBURETOR ACCELERATOR PUMP SEAL AND/OR A MALFUNCTION OF THE COOLANT CONTROLLED EXHAUST GAS RECIRCULATION VALVE SWITCH.
## 361 A DIODE IN THE ELECTRIC FUEL PUMP CIRCUIT MAY BE OF INADEQUATE CAPACITY TO WITHSTAND CURRENT DRAW DURING ENGINE STARTING. THIS WOULD CAUSE A SHORT CIRUCIT IN THE ELECTRICAL SUPPLY TO THE FUEL PUMP WHICH WOULD RESULT IN NORMAL ENGINE STARTING BUT FUEL WOULD NOT CONTINUE TO BE PROVIDED TO THE ENGINE. VEHICLES WITH THIS CONDITION WOULD STALL WITHOUT PRIOR WARNING AFTER A SHORT PERIOD OF OPERATION.
## 362 On certain vehicle equipped with Fontaine light weight fixed position fifth wheels, the fifth wheel mounting plate may develop a crack in the area where the legs of the fifth wheel are welded to the base plate. This could result in eventual trailer separation. Correction; Fifth wheel base plate will be inspected and if a crack is found, the base plate will be replaced.
## 363 MEDIUM AND HEAVY DUTY TRUCK AND BUS MODELS EQUIPPED WITH 7,000 OR 12,000 POUND FRONT AXLES AND HYDRAULIC BRAKES. THE RIGHT-HAND AND/ OR LEFT-HAND FRONT SHORT STELL BRAKE LINES MAY FRACTURE IN THE BEND RADIUS DUE TO BRAKE CHATTER INDUCING PERIODIC HIGH STRESSES. THIS CAN RESULT IN A BRAKE FLUID LEAK AND LOSS OF BRAKING POWER.
## 364 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS. - MASS AIRFLOW SENSOR FAILURE - NOTE ; VEHICLES WITH 3.0 LITRE AND 3.8 LITRE ENGINES.
## 365 OVER TIGHTENING AND/OR CONTINUED RETIGHTENING THE BRAKE PEDAL TO MASTER CYLINDER PUSH ROD MOUNTING FASTENER COULD CAUSE THE LOCKING FEATURE OF THE SHOULDER NUT TO BECOME INEFFECTIVE. THE RESULT MAY BE A DISCONNECTION OF THE BRAKE PEDAL AND LOSS OF SERVICE BRAKES. THIS IS AN EXTENSION AND FOLLOW-UP TO RECALL V76021.
## 366 THE INTEGRATED HYDRAULIC BRAKE AND LOAD LEVELLING SYSTEM ON THESE VEHICLES FUNCTIONS BY MEANS OF PRESSURIZED MINERAL OIL. CHARACTERISTICS OF CERTAIN BATCHES OF HYDRAULIC SYSTEM MINERAL OIL MAY AFFECT THE OPERATION OF THE DISTRIBUTION VALVES. WHEN THIS OCCURS, BRAKE PEDAL FEEL MAY VARY, ESPECIALLY FOLLOWING A PROLONGED PERIOD OF INACTIVITY. HIGHER PEDAL EFFORT MAY BE REQUIRED UPON INITIAL APPLICATION OF THE BRAKE IN ORDER TO ACHIEVE DESIRED BRAKING PERFORMANCE.CORRECTION; MINERAL OIL WILL BE CHANGED.
## 367 OVER TIGHTENING AND/OR CONTINUED RETIGHTENING THE BRAKE PEDAL TO MASTER CYLINDER PUSH ROD MOUNTING FASTENER COULD CAUSE THE LOCKING FEATURE OF THE SHOULDER NUT TO BECOME INEFFECTIVE. THE RESULT MAY BE A DISCONNECTION OF THE BRAKE PEDAL AND LOSS OF SERVICE BRAKES. THIS IS AN EXTENSION AND FOLLOW-UP TO RECALL V76021.
## 368 A combination of no bolt torque, high pressure in the strut and a severe duty cycle can create the potential for the liftgate strut attaching bolts to separate. This could result in injury to persons standing under the liftgate at the time of failure. Correction; Liftgate struts will be inspected for loose fasteners. If fasteners are loose, the strut (and integral bolts) will be replaced. If the bolt shows evidence of torque, the bolt will be removed, large washers will be installed and bolt will be torqued to specification.
## 369 On certain vehicles, electrical circuitry in the steering wheel assembly may become damaged. As a result, the drivers airbag may not function as intended, causing the instrument panel airbag warning lamp to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of injury to the seat occupant. Correction; Dealers will replace the spiral cable assembly.
## 370 On certain vehicles, the air suspension height control valve may not be plumbed through an air pressure protection valve. In the event of a suspension air bag failure or rupture of the air line, there would be a loss of air pressure in the B system air reservoir that supplies air pressure for the front steer axle brakes. This condition would increase stopping distance of the vehicle and under certain conditions could result in a crash. Correction; Dealers will install an air pressure protection valve in the B system air tank.
## 371 On certain motorcycles, corrosion could form inside the front brake master cylinder, which could cause a spongy brake feel. This could potentially lead to extended stopping distances, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will install a redesigned front brake master cylinder.
## 372 On certain vehicles, the primary and secondary air supply hoses from the foot valve to the air tanks were reversed at the tanks. If the primary air circuit is damaged, the brakes will not apply when the brake pedal is depressed, potentially causing a vehicle crash without warning and possibly resulting in property damage, personal injury or death. Correction; Dealer will inspect all suspect vehicles and repair incorrect air plumbing.
## 373 On certain vehicle equipped with Fontaine light weight fixed position fifth wheels, the fifth wheel mounting plate may develop a crack in the area where the legs of the fifth wheel are welded to the base plate. This could result in eventual trailer separation. Correction; Fifth wheel base plate will be inspected and if a crack is found, the base plate will be replaced.
## 374 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2014567. Correction; Dealers will inspect/replace the drivers frontal airbag inflator. All vehicles having received a replacement inflator as part of any previous drivers inflator campaign will have a replacement inflator installed. Note; Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 375 Vehicles equipped with Caterpillar 3406B or 3306B engines may experience a loss of the governor servo pin. This would result in the engine and vehicle continuing at their same respective speeds until a change in load occurs (i.e. terrain, brakes or clutch) and could reduce engine braking with a subsequent increase in stopping distances and the risk of a crash. Correction; The rack servo cylinder assembly will be replaced on affected engines.
## 376 Vehicles equipped with Caterpillar 3406B or 3306B engines may experience a loss of the governor servo pin. This would result in the engine and vehicle continuing at their same respective speeds until a change in load occurs (i.e. terrain, brakes or clutch) and could reduce engine braking with a subsequent increase in stopping distances and the risk of a crash. Correction; The rack servo cylinder assembly will be replaced on affected engines.
## 377 THESE VEHICLES MAY EXPERIENCE CORROSION OF THE FUEL FILLER TUBE ASSEMBLY ESPECIALLY WHEN OPERATED IN AREAS WHERE SIGNIFICANT AMOUNTS OF ROAD SALT IS USED IN WINTER. THIS MAY RESULT IN FUEL LEAKAGE WHICH IN THE PRESENCE OF AN IGNITION SOURCE COULD RESULT IN A FIRE.CORRECTION; THE FUEL FILLER TUBE WILL BE INSPECTED AND REPLACED, IF NECESSARY, WITH A NEW ONE. ANY OTHER COMPONENTS OF THE FUEL FILLER TUBE ASSEMBLY WHICH ARE DAMAGED OR DETERIORATED WILL ALSO BE REPLACED.
## 378 On certain vehicles, a defect may allow the ignition key to be removed from the ignition switch when the key is not in the Off position. This could result in unintended vehicle movement if the transmission is not in the park position (automatic transmission) or not in the reverse gear with the parking brake engaged (manual transmission], and increase the risk of a crash causing injury and/or property damage. Correction; Dealers will replace the ignition lock cylinder and/or ignition key.
## 379 On certain vehicles, the cab mounted bracket attached to the hydraulic cylinder used to raise and lower the cab for maintenance may fail, allowing the cab to either fall unrestrained back onto the chassis, or if past the break over point, fall forward to the ground. Either scenario could cause personal injury or death. Correction; Dealers will affect repairs.
## 380 On certain vehicles, a U series Weatherhead crimp type hose was substituted in place of a P series type fitting during the manufacturing process. This combination of a non approved fitting with an approved hose is a noncompliance to Canada Motor Vehicle Safety Standard (CMVSS). The noncompliance air brake hose assembly was only used on rear axle brake chambers in a rear axle position when an axle suspension was installed. If a hose failure occurred it may cause a sudden application of the brakes and could cause a loss of control. Correction; Dealer will replace hoses.
## 381 On certain vehicles, a defect may allow the ignition key to be removed from the ignition switch when the key is not in the Off position. This could result in unintended vehicle movement if the transmission is not in the park position (automatic transmission) or not in the reverse gear with the parking brake engaged (manual transmission], and increase the risk of a crash causing injury and/or property damage. Correction; Dealers will replace the ignition lock cylinder and/or ignition key.
## 382 CRACKS ON THE HOOD INNER PANEL MAY LEAD TO A CONDITION IN WHICH THE HOOD STRIKER ASSEMBLY DOES NOT PROPERLY ENGAGE THE HOOD LATCH WHEN CLOSED. THIS COULD POTENTIALLY RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION.CORRECTION; DEALERS WILL INSTALL TWO (2) BOLTS AND NUTS TO BETTER SECURE THE STRIKER ASSEMBLY TO THE HOOD INNER PANEL. DEALERS WILL ALSO ENSURE THAT THE THREE (3) EXISTING HOOD LATCH ASSEMBLY RETAINING BOLTS ARE PROPERLY TORQUED.
## 383 VEHICLES EQUIPPED WITH CERTAIN EIGHT CYLINDER ENGINES. THE EXHAUST GAS RECIRCULATION (E.G.R.) BACKPRESSURE TRANSDUCER TUBE MAY CRACK CAUSING EXCESSIVE LEAKAGE IN THE BACKPRESSURE SENSING CIRCUIT AND INCREASED EMISSIONS OF NITROGEN OXIDES. ALSO, ON SOME VEHICLES, AN IMPROPER E.G.R. PORTED VACUUM SWITCH CAN CAUSE SIMILAR INCREASES IN EMISSIONS OF NITROGEN OXIDES. THESE VEHICLES MAY NOT COMPLY WITH CANADA MOTOR VEHICLE SAFETY STANDARD 1103 - EXHAUST EMISSIONS.
## 384 ON VEHICLES WITH 2.5L ENGINES. THE FUEL SYSTEM MAY LEAK AT THE THROTTLE BODY INJECTION FUEL FEED PIPE CONNECTION PRESENTING THE POSSIBILITY OF AN UNDERHOOD FIRE.
## 385 THE ENGINE COMPARTMENT FUEL RESERVOIR ON THESE VEHICLES MAY BE SUBJECT TO LEAKAGE AT THE RESERVOIR SEAM AND ITS INLET HOSE CONNECTION. FUEL LEAKAGE WOULD PROVIDE THE POTENTIAL FOR AN UNDERHOOD FIRE.
## 386 THE SCREWS MOUNTING THE FRONT WHEEL BRAKE DISC(S) (ALL MODELS) AS WELL AS THE JIFFY (KICK) STAND SPRING ANCHOR (FXD MODELS ONLY) COULD BREAK. THE BREAKAGE OF THESE SCREWS ON THE FRONT BRAKE DISC(S) COULD CAUSE A LOSS OF STOPPING POWER IN THE FRONT BRAKE WITHOUT PRIOR WARNING, POTENTIALLY RESULTING IN AN ACCIDENT. THE BREAKAGE OF THE SCREW THAT HOLDS THE JIFFY STAND SPRING ANCHOR ON FXD MODELS WOULD ALLOW THE JIFFY STAND TO EXTEND WITHOUT WARNING. AN EXTENDED STAND COULD CONTACT THE GROUND DURING A LEFT HAND TURN, POSSIBLY STARTLING THE RIDER AND AFFECTING HIS OR HER CONTROL OF THE MOTORCYCLE. CORRECTION; DEFECTIVE SCREWS WILL BE REPLACED ON AFFECTED VEHICLES.
## 387 On certain trucks equipped with a PACCAR MX engine and Eaton Ultrashift DM or Allison automatic transmission (without auto-neutral], the Fast Idle Control (also known as high idle) may be activated by the operator while the transmission is in gear. This could override the parking brake, allowing the vehicle to move unexpectedly. Unintended vehicle movement could result in a crash causing property damage and/or personal injury. Correction; Dealers will update the engine control software.
## 388 On certain vehicles, electrical circuitry in the steering wheel assembly may become damaged. As a result, the drivers airbag may not function as intended, causing the instrument panel airbag warning lamp to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of injury to the seat occupant. Correction; Dealers will replace the spiral cable assembly.
## 389 On certain vehicles, if subjected to flood conditions (e.g. soaked carpeting/standing water on floor of vehicle], or if the car has been flood damaged in any way, the airbag may inadvertently deploy while starting the engine resulting in possible serious personal injury. Correction; Instructions will be added to the owners manual advising that should these conditions occur, the vehicle should be towed to a dealer for repairs before the key is placed in the ignition.
## 390 Certain vehicle may have been assembled with an incorrectly manufactured Bendix MV-3 dash control valve. If the double check valve becomes lodged, in the event of a primary reservoir failure, air pressure can leak past the lodged valve, thereby depleting the secondary reservoir, causing a reduced ability for modulating the emergency brakes. Extended stopping distances may result in a vehicle crash, causing property damage, and/or personal injury or death. Correction; Dealers will inspect and, if necessary, replace the dash control valve.
## 391 On certain vehicles, due to a software error in the occupant restraint control (ORC) module, side curtain airbag and seatbelt pretensioner deployment could be delayed or not occur in slower-developing rollover events. This could increase the risk of personal injury in a crash. Correction; Dealers will reprogram the module.
## 392 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 106 - BRAKE HOSES (BURST STRENGTH).
## 393 On certain vehicles, the drivers side air bag may not deploy as designed, resulting in reduced capability of the air bag to protect the driver. In addition, the air bag inflator may fracture. If this were to occur, pieces of the inflator could strike and injure the vehicle occupants. Correction; Dealer will inspect, and if necessary, install a new drivers air bag.
## 394 A SMALL NYLON BUSHING IN THE CRUISE CONTROL SERVO BAIL (BRACKET) MAY SLIP OUT OF PLACE RESULTING IN POSSIBLE INTERMITTENT INCREASES IN ENGINE SPEED OR DIESELING. THIS CONDITION COULD ALSO CAUSE THE SERVO ROD ASSEMBLY TO WEAR THROUGH THE BALL AND CATCH ON OTHER COMPONENTS POSSIBLY RESULTING IN A STUCK THROTTLE. THIS COULD RESULT IN LOSS OF VEHICLE CONTROL AND A POSSIBLE CRASH. CORRECTION; A BUSHING KIT WILL BE INSTALLED ON THE CRUISE CONTROL SERVO BAIL.
## 395 On certain vehicles equipped with automatic transmissions, the parking pawl actuating rod (parking rod) spring retainer may be defective. The parking pawl may not engage the parking gear fully and could cause the vehicle to move if the parking brake is not applied. Correction; Dealers will replace the automatic transmission parking rod assembly. Replacement parts will not be available until January 2003.
## 396 On certain 1992-1995 four-door sedans and three-door hatchbacks, and 1993-1995 two-door coupes, located in Ontario, Quebec, and the Maritime Provinces, the engine hood secondary latch may corrode and not operate if the latch is not clean and sufficiently coated with lubricant. This may cause the secondary latch to stick in the open position as a result of the corrosion. If the primary latch is not properly locked and the secondary latch is stuck open, the engine hood could fly open restricting the drivers vision and possibly result in a crash. Correction; Dealers will lubricate the hood latch. Also, a maintenence instruction label will be installed next to the latch.
## 397 VEHICLES COULD EXPERIENCE CRACKING OF THE REAR SHOCK CROSSMEMBER OF THE FRAME IF THE VEHICLE IS OPERATED IN A VERY LIGHTLY LOADED CONDITION. IF NOT REPAIRED, THE CRACKING COULD PROGRESS AND THE CROSSMEMBER MAY SEPARATE. A SEPARATED CROSSMEMBER MAY CONTACT, AND POSSIBLY DAMAGE FUEL AND BRAKE LINES. CORRECTION; REAR SHOCK CROSSMEMBER WILL BE REPLACED WITH AN UPGRADED CROSSMEMBER MADE OF HIGH STRENGTH STEEL.
## 398 VEHICLES COULD EXPERIENCE CRACKING OF THE REAR SHOCK CROSSMEMBER OF THE FRAME IF THE VEHICLE IS OPERATED IN A VERY LIGHTLY LOADED CONDITION. IF NOT REPAIRED, THE CRACKING COULD PROGRESS AND THE CROSSMEMBER MAY SEPARATE. A SEPARATED CROSSMEMBER MAY CONTACT, AND POSSIBLY DAMAGE FUEL AND BRAKE LINES. CORRECTION; REAR SHOCK CROSSMEMBER WILL BE REPLACED WITH AN UPGRADED CROSSMEMBER MADE OF HIGH STRENGTH STEEL.
## 399 AN ENGINE CYLINDER HEAD OIL GALLEY PLUG MAY NOT BE ADEQUATELY RETAINED. INADEQUATE RETENTION OF THE PLUG MAY RESULT IN OIL LEAKAGE WHICH COULD POTENTIALLY CAUSE A FIRE IN THE ENGINE COMPARTMENT. CORRECTION; AN EXPANSION PLUG AND RETAINING BRACKET WILL BE INSTALLED OVER THE SUSPECT CYLINDER HEAD OIL GALLEY PLUG.
## 400 On certain vehicles, the parking brake could partially release without warning. This could result in unintended vehicle movement and increase the risk of a crash causing injury and/or property damage. Correction; Dealers will install a redesigned parking brake lever assembly.Note; This recall supersedes 2013-435.
## 401 On certain trucks equipped with Bendix ATR-6 Antilock Traction Relay valves, in extremely cold conditions (at or below -18 degrees Celsius], internal ATR valve leakage can occur. This could cause unintended brake application, which could overheat the affected brakes and cause a fire. Also, in certain low traction conditions, unexpected brake application can cause a loss of vehicle control and a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will update the cover assembly on the ATR valves.
## 402 On certain vehicles, the drivers side frontal airbag could deploy in a rotated orientation due to an improperly assembled drivers side airbag module. This could increase the risk of injury to the driver in a crash where airbag deployment is warranted. Correction; Dealers will replace the drivers side airbag module.
## 403 ALL VEHICLES COULD HAVE DEFECTIVE HEADLIGHT SWITCHES WHICH CAN PREVENT THE HEADLIGHTS FROM BEING SWITCHED ON OR OFF. ALSO, THE 1973-76 TRIUMPH TR-6 VEHICLES MAY HAVE A DEFECTIVE ACCELERATOR LINKAGE WHICH COULD CAUSE THE THROTTLE TO STICK AT IDLE OR IN THE FULLY OPEN POSITION. IN ADDITION, 1971-76 TRIUMPH SPITFIRE VEHICLES WILL BE INSPECTED FOR FUEL HOSE LEAKAGE IN THE ENGINE COMPARTMENT.
## 404 On certain vehicles, a defect in the ignition switch could allow the switch to move out of the run position if the key ring is carrying added weight or the vehicle goes off-road or is subjected to some other jarring event. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; For each key, dealers will install two key rings and modify the key ring opening shape. Note; Until the correction is performed, all items should be removed from the key ring.
## 405 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, replace the passenger airbag inflator.
## 406 On certain vehicles, manufacturing defects in the front axle unitized hubs may cause premature spalling of the wheel bearings. This condition will lead to eventual breakdown of the bearing and potential loss of vehicle control amidst the presence of warning signals such as activation of ABS warning light, steering wheel vibration, brake drag, noise and vehicle pull. Correction; Dealer will replace both front wheel hubs.
## 407 On certain vehicles, the steering pump castings may have a thin wall in the pump casting or a complete connection of two passages that are supposed to be separated to control fluid flow. The power steering pump is used to provide power assist to both the steering system and the hydraulic brake system. A defective pump may reduce the fluid flow to less than the minimum required flow rate to provide full power assist to the brake system with low engine speed. Correction; Vehicles will be inspected for pump casting numbers and defective power steering pumps will be replaced.
## 408 On certain trucks, the trunnion ears on the cab tilt cylinders pivot may fail while the cab is being raised or lowered for vehicle servicing or maintenance. This would allow the cab to drop until the safety flow velocity fuses engage and stop cab movement. A person in the path of the moving cab may be injured as a result. Correction; Dealers will install safety signs instructing operators to stand clear of cab while it is being tilted.
## 409 THE ENGINE SPROCKET NUT LOCKWASHER MAY NOT PROPERLY LOCK THE NUT IN PLACE. IF THE NUT WERE TO LOOSEN AND ALLOW THE SPROCKET TO COME OFF, THE CHAIN COULD LOCK THE REAR WHEEL, POSSIBLY CAUSING A CRASH.CORRECTION; ENGINE SPROCKET NUT LOCKWASHER WILL BE REPLACED ON AFFECTED VEHICLES.
## 410 On certain trucks, the service brake air line between the tractor protection valve and the fast brake module may separate from the fast brake module. This would result in a loss of trailer service brakes, which could increase stopping distances, possibly causing a vehicle crash resulting in property damage, personal injuries or death. Correction; Dealers will replace the fast break module and reroute air lines to eliminate line tension.
## 411 ON S-SERIES TRUCKS EQUIPPED WITH HYDRAULIC BRAKES AND ELECTRIC ENGINE SHUTOFF AND CARGOSTAR TRUCKS EQUIPPED WITH HYDRO-MAX HYDRAULIC BRAKES, THE BRAKES MAY FAIL DUE TO AN ELECTRICAL FAILURE FROM THE MAIN POWER FEED OF THE ALTERNATOR. THIS IS A COMMON POWER SOURCE FOR THE ENGINE AND THE ELECTRIC MOTOR FOR THE BRAKE BACK-UP SYSTEM. ELECTRICAL FAILURE COULD RESULT IN A NEAR NO-BRAKE SITUATION AND CAUSE THE VEHICLE TO CRASH WITHOUT PRIOR WARNING. CORRECTION; SEPARATE ENGINE AND BRAKE BACK-UP CIRCUITS WILL BE PROVIDED.
## 412 ON S-SERIES TRUCKS EQUIPPED WITH HYDRAULIC BRAKES AND ELECTRIC ENGINE SHUTOFF AND CARGOSTAR TRUCKS EQUIPPED WITH HYDRO-MAX HYDRAULIC BRAKES, THE BRAKES MAY FAIL DUE TO AN ELECTRICAL FAILURE FROM THE MAIN POWER FEED OF THE ALTERNATOR. THIS IS A COMMON POWER SOURCE FOR THE ENGINE AND THE ELECTRIC MOTOR FOR THE BRAKE BACK-UP SYSTEM. ELECTRICAL FAILURE COULD RESULT IN A NEAR NO-BRAKE SITUATION AND CAUSE THE VEHICLE TO CRASH WITHOUT PRIOR WARNING. CORRECTION; SEPARATE ENGINE AND BRAKE BACK-UP CIRCUITS WILL BE PROVIDED.
## 413 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 414 On certain trucks, the rear drive axle housing was manufactured with steel below the specified thickness, which could result in fatigue failure over time. If failure occurs, the outboard end of the housing could eventually separate, allowing the hub, axle shaft, and/or wheel and brake assembly to separate from the vehicle. This could cause a vehicle crash with injury or death. Correction; Dealers will inspect and, if required, replace the axle assembly.
## 415 On certain vehicles, the rear brake tubes may contact the steering gear box mounting brackets resulting in rear brake tube wear and corrosion. Severe rear brake tube wear and corrosion may result in brake fluid leakage reducing braking capability. Correction; Dealer will reposition the rear brake tubes, install clips to control the position of the tubes and apply anti-corrosion material where contact with the steering gear box mounting brackets may have occurred.
## 416 On certain vehicles, the passenger side air bag inflator assembly contains an incorrect inflator charge. This condition could increase the risk of a passenger occupant injury in the event of a crash. Correction; Passenger air bag modules will be replaced.
## 417 On certain vehicles, the sixteen (16) bolts that mount the front of the cab to two (2) cast mounting brackets were not properly torqued. Without proper assembly torque, these bolts can loosen during normal vehicle use and fall out. This may lead to the cab separating from the vehicles chassis during a crash that may result in properly damage, personal injury or death. Correction; Dealers will replace and torque all sixteen (16) bolts.
## 418 TRUCK AND SCHOOL BUS CHASSIS EQUIPPED WITH AIR BRAKES. SOME EATON ANTI-LOCK CONTROLLERS MAY MALFUNCTION PREVENTING APPLICATION OF THE BRAKES ON THE AXLE INVOLVED. THIS CONDITION COULD LEAD TO INCREASED STOPPING DISTANCES, POSSIBLY RESULTING IN A VEHICLE CRASH.
## 419 VEHICLES WERE BUILT WITH A 2.00 INCH MASTER CYLINDER IN PLACE OF THE 1.75 INCH MASTER CYLINDER NORMALLY UTILIZED. THE LARGER MASTER CYLINDER WILL PROVIDE LESS LINE PRESSURE TO THE WHEEL CYLINDERS FOR A GIVEN PEDAL PRESSURE. THIS COULD RESULT IN INCREASED STOPPING DISTANCES AND A POSSIBLE VEHICLE CRASH.CORRECTION; CORRECT 1.75 INCH MASTER CYLINDER WILL BE INSTALLED ON AFFECTED VEHICLES.
## 420 On certain vehicles, the wire harness under the driver and/or passenger seat may not have been properly affixed to the seat frame during vehicle assembly. As such, the harness may get caught by the amplifier (mounted under the seat) when seating position is adjusted. If this occurs, the harness connector may detach from the socket and, as a result, the corresponding airbag may not function as intended, causing the instrument panel SRS warning lamp to illuminate. Failure of a frontal airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, secure the wire harness to the driver and/or passenger seat frame.
## 421 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 422 Certain vehicles may have a missing or partially installed retainer clip that holds the master cylinder push rod to the brake pedal arm. Improperly installed or missing retainers can cause the brake pedal arm to disengage from the master cylinder pushrod and result in loss of service braking without prior warning. Correction; Vehicles will be inspected to verify that the pushrod retainer was installed and ensure correct installation.
## 423 On certain vehicles, in cases where a weak battery exists, it is possible that a low voltage condition could cause the airbag control unit to improperly set a fault code. If this occurs, the passenger-side frontal airbag will become deactivated and would not deploy during a frontal crash. As a result, a passenger-seat occupant could receive more severe injuries. Correction; Dealers will update the airbag control module software.
## 424 Certain vehicles may have a missing or partially installed retainer clip that holds the master cylinder push rod to the brake pedal arm. Improperly installed or missing retainers can cause the brake pedal arm to disengage from the master cylinder pushrod and result in loss of service braking without prior warning. Correction; Vehicles will be inspected to verify that the pushrod retainer was installed and ensure correct installation.
## 425 On certain vehicles, the drivers (frontal) airbag inflator has a potential for intrusion of moisture over time due to insufficient air sealing. This could result in the inflator rupturing during a deployment, and/or an abnormal deployment of the drivers (frontal) airbag during a crash (where deployment is warranted], which could increase the risk of injury to the seat occupant. Correction; Dealers will replace the drivers (frontal) air bag inflator with an updated part.
## 426 On certain trucks, the trunnion ears on the cab tilt cylinders pivot may fail while the cab is being raised or lowered for vehicle servicing or maintenance. This would allow the cab to drop until the safety flow velocity fuses engage and stop cab movement. A person in the path of the moving cab may be injured as a result. Correction; Dealers will install safety signs instructing operators to stand clear of cab while it is being tilted.
## 427 On certain vehicles, the software of the ABS control unit (ECU) is incomplete. The software required to initiate the illumination of the red BRAKE warning lamp during the check of lamp function, when the ignition switch is turned to the ON position, when the engine is not running, is not included. This could result in the driver not being aware that the lamp is inoperative, and the light not illuminating to notify the driver when the brake fluid pressure or fluid level is too low, which could increase the risk of a crash. Correction; Dealers will reprogram the ABS control unit.
## 428 THE SCREW WHICH CONNECTS THE RACK TO THE GOVERNOR LINKAGE INSIDE THE BOSCH FUEL INJECTION PUMP MAY HAVE INSUFFICIENT TORQUE ON THE RETAINING NUT. WITH INSUFFICIENT TORQUE, THE NUT MAY WORK LOOSE ALLOWING THE SCREW TO FALL OUT. IF THIS SHOULD OCCUR, THE GOVERNOR LINKAGE WOULD SEPARATE FROM THE RACK RESULTING IN LOSS OF CONTROL OVER ENGINE SPEED. THIS COULD CAUSE A VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION; FUEL PUMP RACK TO GOVERNOR LINKAGE SCREW WILL BE RETORQUED.
## 429 NOTE; THIS RECALL AFFECTS VEHICLES WITH MANUAL TRANSMISSION.THE PARKING BRAKE CONTROL SELF-ADJUST PAWL MAY SKIP OVER ONE OR MORE TEETH IN THE SELF-ADJUST RATCHET DURING PARKING BRAKE APPLICATION, WHICH COULD PREVENT THE SYSTEM FROM ACHIEVING FULL TENSION. THIS COULD RESULT IN PARKING BRAKE INEFFECTIVENESS WHICH WOULD ALLOW THE VEHICLE TO ROLL FREELY IF IT IS NOT LEFT IN GEAR. CORRECTION; A WEDGE WILL BE INSTALLED WHICH WILL SERVE TO LOCK THE PARKING BRAKE SELF-ADJUST MECHANISM PAWL INTO ENGAGEMENT WITH THE RATCHET.
## 430 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 431 On certain vehicles, the front passenger seat occupant detection mat can fatigue over time. As a result, the passenger airbag could deactivate, illuminating the airbag warning lamp and the passenger airbag ON/OFF lamp. Failure of the passenger airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will replace the occupant detection mat. Note; This recall is an expansion of recalls 2008-307 and 2013-238.
## 432 On certain vehicles, the parking brake could partially release without warning. This could result in unintended vehicle movement and increase the risk of a crash causing injury and/or property damage. Correction; Dealers will install a redesigned parking brake lever assembly.Note; This recall supersedes 2013-435.
## 433 A safety defect may exist in ignition switches sold as service replacement parts. The defect could allow the ignition switch to unintentionally move from the run position to the accessory or off position with a corresponding reduction or loss of power. This risk may be increased if the key ring is carrying added weight or the vehicle goes off road or experiences some other jarring event. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may result in the airbags not deploying, increasing the potential for occupant injury in certain kinds of crashes. General Motors Canada will notify owners of all vehicles not affected by recalls 2014038 (GM number 13454) and 2014060 (GM number 14063) that could potentially have had the affected ignition switches installed during service or repair work. Owners will be instructed to take their vehicle to a dealer for inspection and repair if required. Note; Until the inspection is performed, all items should be removed from the key ring.
## 434 SHOULD THE MUFFLER TAIL PIPE LOCATED UNDER THE LEFT REAR OF THE VEHICLE RUST THROUGH, THE REAR BUMPER COULD, UNDER CERTAIN CONDITIONS, IGNITE AND CATCH FIRE.CORRECTION; A SHIELD WILL BE INSTALLED TO ISOLATE THE BUMPER FROM THE TAIL PIPE.
## 435 On certain vehicles, the Occupant Classification System may malfunction, causing the airbag warning lamp to illuminate, and could fail to disable the passenger airbag if a child were seated in the front passenger seating position. This could result in an unwarranted airbag deployment in a crash, increasing the risk of injury to a child seated in the front passenger seat. Note; In this situation, the PASS AIR BAG OFF light would fail to illuminate, regardless of if a child or adult is seated in the front passenger seat. Correction; Vehicles will receive special extended warranty coverage of 10 years or 200,000 kilometers (whichever comes first) from the date the vehicle was originally placed into service. Under this special coverage program, vehicles which experience this condition will have the occupant detection mat replaced.
## 436 On certain Golf, GTI, Jetta, Jetta wagon, New Beetle, New Beetle convertible, Passat and Passat wagon, the brake lamp switch may malfunction. If this happens, the brake lamps could become inoperative; or could come on and stay on, even though the vehicle is parked. Correction; Dealers will replace the brake lamp switch with a newly revised version. This action includes vehicles previously affected by Transport Canada recall 03-184 and 04-075. The switch installed during this prior repair may not function properly. Note; parts available December 2006.
## 437 On certain vehicles, sealant applied to the restraints control module could fail, allowing moisture to enter the module circuit board. This could cause corrosion to form, which will illuminate the airbag warning light and could affect restraint system function, potentially disabling airbags or other safety systems. This could increase the risk of injury to vehicle occupants in a crash where airbag deployment is warranted. Correction; Dealers will replace the restraints control module.
## 438 THE BRAKE PEDAL TO BRAKE BOOSTER LINKAGE ACTUATOR ROD MAY DISCONNECT FROM THE BELL CRANK DUE TO SHEARING OF A COTTER PIN CAUSED BY DAMAGE EITHER DURING VEHICLE ASSEMBLY OR WHEN TILTING THE CAB. THIS WOULD RESULT IN LOSS OF SERVICE BRAKES.
## 439 On certain motorcycles, the brake light switch at the front brake lever may not activate until significant brake lever travel occurs. Failure of the brake lamp to illuminate when a moderate amount of front brake is applied may result in the following road users being unaware of the riders intentions, increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the brake light switch for the front brake system.
## 440 ON TWO DOOR MODELS, CRACKS MAY DEVELOP IN THE BODY PILLAR AROUND THE DOOR STRIKER BOLT HOLE. IF UNCORRECTED, THE CRACKS WOULD PROPOGATE SUCH THAT THE DOOR WOULD OPEN IN THE EVENT OF A VEHICLE CRASH. CORRECTION; REINFORCEMENT PLATES WILL BE INSTALLED ON THE LEFT AND RIGHT BODY PILLARS.
## 441 On certain vehicles, additional axles were installed to increase the gross vehicle weight capacity but the parking brake capacity was not increased accordingly therefore not complying with CMVSS 121 regulations. Correction; The dealer will perform repairs as necessary.
## 442 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes recalls 2013113, 2014224 and 2015197. Correction; All vehicles having not received a replacement inflator as part of the previous recall will now have a replacement inflator installed by dealers.
## 443 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 444 THE FRONT BRAKE HOSES OR ABS SENSOR WIRES MAY BE ABRADED AT THE FRONT WHEELS BY CONTACT WITH A FRONT WHEELHOUSE SPLASH SHIELD. THIS COULD RESULT IN LOSS OF BRAKE FLUID AND A PARTIAL BRAKE SYSTEM FAILURE OR MALFUNCTION OF THE ABS SYSTEM.CORRECTION; BRAKE HOSES AND ABS SENSOR WIRES WILL BE INSPECTED AND REPLACED IF NECESSARY. FRONT WHEELHOUSE SPLASH SHIELDS WILL BE TRIMMED.
## 445 On certain vehicle, the brake lamp switch may malfunction. If this happens, the brake lamps could become inoperative; or the lamps could come on and stay on, even though the vehicle is parked. Correction; Dealer will inspect and, if necessary, replace the brake lamp switch.
## 446 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 447 VEHICLES MAY BE EQUIPPED WITH STOP LAMP SWITCHES THAT POTENTIALLY COULD INTERMITTENTLY MALFUNCTION AND RESULT IN THE STOP LAMPS NOT ILLUMINATING WHEN THE BRAKES ARE APPLIED. THIS COULD RESULT IN FOLLOWING MOTORISTS NOT BEING SIGNALED THAT THE VEHICLE IS BRAKING, WHICH COULD RESULT IN AN ACCIDENT.CORRECTION; VEHICLES WILL BE INSPECTED AND STOP LAMP SWITCHES REPLACED IF NECESSARY.
## 448 THE BRAKE CONTROL KNOB COULD FALL OFF DUE TO THE LOCATION OF THE HOLE FOR THE RETAINING PIN BEING OFF THE CENTERLINE OF THE HOLE FOR THE VALVE PLUNGER. WHEN THE RETAINING PIN IS INSTALLED, THE MISALIGNMENT CREATES EXCESSIVE STRESS AROUND THE HOLE FOR THE PIN AND THE PLASTIC FAILS. THE LOSS OF KNOB COULD IMPAIR OPERATION OF THE HAND CONTROL BRAKE VALVE.
## 449 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2014567. Correction; Dealers will inspect/replace the drivers frontal airbag inflator. All vehicles having received a replacement inflator as part of any previous drivers inflator campaign will have a replacement inflator installed. Note; Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 450 On certain vehicles located in Ontario, Quebec, New Brunswick, Nova Scotia, Prince Edward Island, and Newfoundland and Labrador, the Sensing and Diagnostic Module (SDM) may corrode due to a significant quantity of snow and/or water containing road salt or other contaminants entering the vehicle and saturating the acoustical padding beneath the floor carpet. If sufficient moisture collects and is retained in the padding, it may cause excessive corrosion under the module; compromising the module seal and allowing water intrusion and system malfunction. This may result in illumination of the Airbag Readiness light along with a Service Airbag message on the Driver Information Center and, in certain instances, may cause inadvertent deployment of the seatbelt pretensioner and/or airbags. Inadvertent deployment of the driver and / or passenger front airbag in a non-accident (non-impact) situation may cause damage to the surrounding vehicle environment (windshield / instrument panel], and create expensive vehicle repair, including replacement of the airbag module(s). In some instances, inadvertent deployment could cause minor injuries to vehicle occupants. Correction; Dealers will remove the acoustic pad above the SDM.
## 451 On certain vehicles, improper front brake hose routing may allow the brake hoses to rub against the tire and wheel assemblies during extreme turning angles. This may result in brake hose failure and loss of front wheel braking capability. The rear brake system is not affected.
## 452 Certain vehicles are equipped with a hydraulic pump driveshaft that can fracture, resulting in immediate loss of hydraulic power steering assist. On certain vehicles equipped with Hydro-Boost power brakes, the same condition can result in loss of power assist for braking after the reserve pressure is depleted. Correction; Dealers will replace the hydraulic pump. This action is deemed a Customer Satisfaction Campaign and is not being conducted under the Safety Act.
## 453 On certain vehicles, the chassis electronic module may have been contaminated at time of manufacture, which could cause an electrical short to occur within the module. This could cause the vehicles check engine light to be displayed, or cause the engine to fail to start or stall, resulting in a loss of motive power. If the vehicle is equipped to support electric trailer brakes, the vehicle could also lose trailer brake function and display a Service Trailer Brake System indicator. These issues could increase the risk of a crash resulting in injury and/or damage to property. Correction; Dealers will replace the module with a revised part.
## 454 On certain vehicle equipped with Fontaine light weight fixed position fifth wheels, the fifth wheel mounting plate may develop a crack in the area where the legs of the fifth wheel are welded to the base plate. This could result in eventual trailer separation. Correction; Fifth wheel base plate will be inspected and if a crack is found, the base plate will be replaced.
## 455 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes recalls 2013113, 2014224 and 2015197. Correction; All vehicles having not received a replacement inflator as part of the previous recall will now have a replacement inflator installed by dealers.
## 456 THIS RECALL SUPERSEDES RECALL 90-27 FOR VEHICLES IN THE MARITIMES. THE THROTTLE MAY STICK IN AN OPEN POSITION DUE TO LINKAGE BINDING CAUSED BY CORROSION. THIS WOULD CAUSE THE ENGINE TO RUN AT HIGHER THAN IDLE SPEED WHEN THE THROTTLE IS RELEASED AND COULD ADVERSELY AFFECT DRIVER CONTROL RESULTING IN A POSSIBLE CRASH. CORRECTION; A STAINLESS STEEL SLEEVE, WHICH WILL BE PLACED OVER THE HUB ON THE THROTTLE BODY ASSEMBLY, AND A SECONDARY THROTTLE LEVER TO FIT THE SLEEVE, ALONG WITH OTHER MOUNTING PARTS, WILL BE INSTALLED ON AFFECTED VEHICLES.
## 457 NOTE; VEHICLES EQUIPPED WITH ROCKWELL WABCO SYSTEM SAVER 1000 AIR DRYERS.IN AIR BRAKE SYSTEMS REQUIRING A LARGE VOLUME OF AIR TO PASS THROUGH THE DRYER IN A SHORT PERIOD OF TIME, THE DRYER CANNOT REMOVE ALL OF THE MOISTURE FROM THE AIR. IN A COLD ENVIRONMENT THIS MOISTURE MAY FREEZE AND EFFECTIVELY BLOCK THE AIR LINES DOWNSTREAM OF THE DRYER RESULTING IN AN AIR PRESSURE BUILD UP IN THE DRYER. THIS AIR PRESSURE MAY EVENTUALLY CAUSE THE DRYER CARTRIDGE TO SEPARATE FROM THE DRYER. THE SEPARATED CARTRIDGE MAY CAUSE BODILY INJURY TO ANYONE STANDING NEAR THE DRYER AT THE INSTANT OF SEPARATION.CORRECTION; PRESSURE RELIEF VALVES WILL BE INSTALLED IN THE DRYER OUTLET PORTS ON THE AFFECTED VEHICLES.
## 458 On certain vehicles, the parking brake may release if the brake systems electronic control unit misinterprets signals generated from turning the ignition key more than once at a specific rate. The release of the parking brake may cause a sudden, unexpected shift in vehicle position, resulting in property damage, personal injury or death. Correction; Dealers will reprogram brake system electronic control unit.
## 459 On certain vehicles, rubber seals inside the brake master cylinder assembly may suffer premature wear, causing internal fluid leakage. This could result in reduced braking performance, that may gradually deteriorate over time. Eventually, this could cause a complete loss of brake functionality, increasing the risk of a crash with property damage, and/or personal injury or death. Correction; Dealers will inspect and, if necessary, replace the brake master cylinder and fluid reservoir.
## 460 On certain vehicles, rubber seals inside the brake master cylinder assembly may suffer premature wear, causing internal fluid leakage. This could result in reduced braking performance, that may gradually deteriorate over time. Eventually, this could cause a complete loss of brake functionality, increasing the risk of a crash with property damage, and/or personal injury or death. Correction; Dealers will inspect and, if necessary, replace the brake master cylinder and fluid reservoir.
## 461 On certain vehicles, the pressure conscious reducing valve (PCRV) in each of the rear brakes may be subject to malfunction due to corrosion when operated in areas of high road salt use. If both PCRVs malfunction, vehicle handling may be adversely affected during braking as a result of the rear wheels locking, which could potentially result in a vehicle crash. Correction; Dealers will install improved PCRVs in the rear brake system.
## 462 Certain vehicles may not comply with the requirements of Canada Motor Vehicle Safety Standard (CMVSS) 208 - Occupant Protection. The passenger seat occupant classification system (OCS) may have been calibrated incorrectly during the manufacturing process. This could result in the non-deployment of an airbag, which would increase the risk of injury to the seat occupant in a crash where airbag deployment is warranted. Correction; Dealers will reprogram the occupant classification system (OCS).
## 463 VEHICLES EQUIPPED WITH SW56, 57 AND 76 SERIES BOGIES. INTERFERENCE BETWEEN INSIDE PORTION OF WHEEL AND OUTER EDGE OF BRAKE DRUM, RESULTING IN WHEEL NUT CLEARING THE RIM, ALLOWING REDUCED CLAMPING FORCES AND OVERSTRESSSING OF WHEEL STUDS.
## 464 NOTE; VEHICLES EQUIPPED WITH ROCKWELL WABCO SYSTEM SAVER 1000 AIR DRYERS.IN AIR BRAKE SYSTEMS REQUIRING A LARGE VOLUME OF AIR TO PASS THROUGH THE DRYER IN A SHORT PERIOD OF TIME, THE DRYER CANNOT REMOVE ALL OF THE MOISTURE FROM THE AIR. IN A COLD ENVIRONMENT THIS MOISTURE MAY FREEZE AND EFFECTIVELY BLOCK THE AIR LINES DOWNSTREAM OF THE DRYER RESULTING IN AN AIR PRESSURE BUILD UP IN THE DRYER. THIS AIR PRESSURE MAY EVENTUALLY CAUSE THE DRYER CARTRIDGE TO SEPARATE FROM THE DRYER. THE SEPARATED CARTRIDGE MAY CAUSE BODILY INJURY TO ANYONE STANDING NEAR THE DRYER AT THE INSTANT OF SEPARATION.CORRECTION; PRESSURE RELIEF VALVES WILL BE INSTALLED IN THE DRYER OUTLET PORTS ON THE AFFECTED VEHICLES.
## 465 On certain fire trucks, specific operating conditions (such as tight, successive, highly banked curves in opposite directions], could trigger unintended Electronic Stability Control (ESC) system intervention. As a result, the ESC may unnecessarily apply one of the front brakes in order to correct the perceived oversteer condition. This may cause the vehicle to deviate from the intended path, thereby increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ESC module.
## 466 On certain vehicles, the brake-shift interlock may not function properly at low temperatures. This could allow the transmission gear shift lever to be moved out of the PARK position without depressing the brake pedal. Depending which gear the driver selects, the vehicle could begin to move forward or backward immediately. This movement could result in property damage, or cause the vehicle to strike a bystander, potentially resulting in personal injury. Correction; Dealers will replace the gear shift assembly stopper.
## 467 On certain vehicles, the drivers airbag inflator could produce excessive internal pressure. If an affected airbag deploys, the increased internal pressure may cause the inflator to rupture and metal fragments could pass through the airbag cushion material and cause injury to vehicle occupants. Correction; Dealers will replace airbag inflator.
## 468 On certain B700, C600, CL9000, F700, LN600 and W9000 vehicles equipped with eaton anti-lock air brake controllers and produced at the kentucky turck plant. A nylon piston within the pneumatic valve system can increase in size when exposed to certain quantities of typical air brake contaminants that may accumulate due to lack of air brake maintenance. The piston could momentarily stick and/or jam in the valve housing causing a temporary or permanent loss of braking to the affected axle. v79144
## 469 Certain Explorer Sport, Explorer Sport Trac, Rander Edge and Ranger XLT vehicles may have a wire formed hood striker that may be susceptible to fatigue fractures. If the hood striker fractures, the hood may fly open while the vehicle is being driven. A hood fly-up while the vehicle is being operated may result in resuced driver visibility and, potentially, a vehicle crash. Correction; Hood striker will be replaced with a revised hood striker.
## 470 On certain vehicles equipped with air brakes, the plastic push-to-connect air line fitting cartridge could be improperly welded into the nylon junction block housing. This could allow an air line to become disconnected. The separation of an air line at the junction manifold fitting may affect the normal function of some brake controls. Correction; Dealer will affect repairs.
## 471 On certain vehicles, incorrect crimp connectors may have been used during vehicle assembly on the side airbag and belt tensioner wiring. As a result, sufficient contact between the crimp connectors and the corresponding plug may not occur. As such, the airbag and/or seatbelt tensioner may not deploy during a vehicle crash where deployment would be warranted, which could increase the risk of personal injury or death to front seat occupants. Correction; Dealers will inspect and, if necessary, repair the wiring harness for the front side airbags and seatbelt tensioners.
## 472 On certain C20 pickup trucks, the front brake hoses may have improperly oriented hose fittings which could cause the right hose to rub against the upper control arm or could leave the left hose twisted resulting in a faulty attachment at the frame fitting. Either condition could result in failure of either brake hose causing a loss of front braking action.
## 473 Certain vehicles may have had their brake system inadvertently filled with contaminated brake fluid during vehicle assembly. This could damage certain brake components, which could increase stopping distance, and result in a crash causing property damage and/or personal injury. Correction; Dealers will replace all brake components that come in contact with hydraulic brake fluid.
## 474 NOTE; VEHICLES ORIGINALLY RETAILED IN ONTARIO, QUEBEC AND THE MARITIME PROVINCES.THE COMPOSITE FRONT DISC BRAKE ROTORS ON THESE VEHICLES MAY FAIL DUE TO CORROSION. THE CAST IRON WEAR SURFACE MAY SEPARATE FROM THE HUB REDUCING THE BRAKING EFFECTIVENESS OF THE VEHICLE. CORRECTION; FRONT COMPOSITE ROTORS WILL BE REPLACED WITH ONES HAVING A REVISED CORROSION PROTECTION COATING.
## 475 Certain fire trucks equipped with tandem rear axles and Electronic Stability Control (ESC) fail to meet the service brake release requirements of Canada Motor Vehicle Safety Standard 121 - Air Brake Systems. The service brake release time is greater than the requirement and, if service brake release timing does meet the minimum requirements of the Standard, may result in less efficient braking performance and will prevent the vehicle from being moved in a timely fashion. Correction; Dealers will replace the brake hoses with larger diameter versions.
## 476 THE PRIMARY AND SECONDARY AIR SUPPLY LINES MAY HAVE BEEN CONNECTED IN REVERSE AT THE DUAL BRAKE TREADLE VALVE.
## 477 CERTAIN SEVERE AND UNUSUAL BRAKING CONDITIONS MAY CAUSE DAMAGE TO THE BRAKE MASTER CYLINDER CENTRE VALVE. IF SUFFICIENT DAMAGE ACCUMULATES, LOSS OF FRONT BRAKES MAY OCCUR WITH ACCOMPANYING INCREASED PEDAL TRAVEL AND REDUCED BRAKING ABILITY. A REDUCTION OF BRAKING ABILITY AT A TIME WHEN MINIMUM STOPPING DISTANCE IS REQUIRED COULD RESULT IN A VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION; DEALERS WILL INSTALL A BRAKE MASTER CYLINDER PISTON KIT ON ALL INVOLVED VEHICLES.
## 478 CERTAIN SEVERE AND UNUSUAL BRAKING CONDITIONS MAY CAUSE DAMAGE TO THE BRAKE MASTER CYLINDER CENTRE VALVE. IF SUFFICIENT DAMAGE ACCUMULATES, LOSS OF FRONT BRAKES MAY OCCUR WITH ACCOMPANYING INCREASED PEDAL TRAVEL AND REDUCED BRAKING ABILITY. A REDUCTION OF BRAKING ABILITY AT A TIME WHEN MINIMUM STOPPING DISTANCE IS REQUIRED COULD RESULT IN A VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION; DEALERS WILL INSTALL A BRAKE MASTER CYLINDER PISTON KIT ON ALL INVOLVED VEHICLES.
## 479 On certain vehicles, a U series Weatherhead crimp type hose was substituted in place of a P series type fitting during the manufacturing process. This combination of a non approved fitting with an approved hose is a noncompliance to Canada Motor Vehicle Safety Standard (CMVSS). The noncompliance air brake hose assembly was only used on rear axle brake chambers in a rear axle position when an axle suspension was installed. If a hose failure occurred it may cause a sudden application of the brakes and could cause a loss of control. Correction; Dealer will replace hoses.
## 480 On certain 1999-2002 1500 series and 2001-2005 2500 and 3500 series trucks equipped with a manual transmission, the parking brake friction lining may wear to an extent where the parking brake can become ineffective in immobilizing a parked vehicle. Correction; Dealers will install a low-force spring clip retainer on vehicles equipped with PBR parking brake system and install a redesigned parking brake cable assembly on vehicle equipped with a TRW parking brake system.
## 481 Certain vehicles may not comply with Canada Motor Vehicle Safety Standard (CMVSS) 101 - Controls and Displays and CMVSS 105 - Brake Systems. The brake malfunction/parking brake indicator may display the word BRAKE instead of the required symbol. Correction; Dealers will reprogram the instrument cluster in affected vehicles.
## 482 On certain trucks a capacitor in the power line carrier (PLC) filter can ignite when subject to reverse polarity electrical spikes. The PLC filter is located inside the left side frame rail just forward of the back of the cab/sleeper in close proximity to electrical and brake lines. Correction; Dealers will disconnect and secure the PLC filter ground wire.
## 483 TRUCKS EQUIPPED WITH ROCKWELL MODEL FDS 1600 OR FDS 1802 FRONT DRIVING AXLE ASSEMBLIES FITTED WITH ROCKWELL ANTI-WHEEL LOCK SYSTEMS SOME ROCKWELL AXLE ASSEMBLIES EQUIPPED WITH ROCKWELL ANTI-WHEEL LOCK SYSTEMS MAY HAVE BEEN ASSEMBLED WITH IMPROPER SENSOR-TO-ROTOR GAP CAUSED BY INCORRECTLY ADJUSTED WHEEL BEARINGS AND/OR IMPROPERLY POSITIONED SENSORS. AT SLOW VEHICLE SPEEDS THAT ANTI-LOCK COMPUTER MAY FLASELY INTERPRET THE PULSES TRANSMITTED FROM A WHEEL AS BEING INDICATIVE OF A WHEEL LOCK-UP CONDITION AND THE AIR CONTROL SOLENOID ON THAT AXLE TILL BEGIN SWITCHING, RESULTING IN DECREASED BRAKE
## 484 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 485 TRUCKS EQUIPPED WITH MACK 6 CYLINDER ENGINES AND FLEXIBLE BLADE ENGINE COOLING FANS. THE FLEXIBLE BLADE FANS MAY DEVELOP FATIGUE CRACKS IN THE LAMINATED STIFFENER. CONTINUED ENGINE OPERATION COULD CAUSE A PIECE OF THE STIFFENER TO BREAK OFF AND BE PROPELLED OUTSIDE OF THE FAN SHROUD. A PROPELLED FRAGMENT COULD CAUSE INJURY TO SERVICE PERSONNEL IN THE VICINITY OF AN OPERATING ENGINE.
## 486 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 487 CF MODEL FIRE CHASSIS WITH MACK FAF-500C SERIES FRONT AXLES EQUIPPED WITH S-CAM BRAKES MANUFACTURED DURING THE PERIOD OF MAY 17, 1972 THROUGH JUNE 23, 1975. THE FRONT WHEEL BRAKE CAHMBERS UTILIZE A PRESSURE PLATE WITH A CENTRE MOUNTED INLET PORT. UNDER CERTAIN OPERATING CONDITIONS AND WITH THE FRONT WHEELS STEERED EITHER IN THE EXTREME LEFT OR RIGHT DIRECTION, THE AIR INLET FITTING INSTALLED IN THIS INLET PORT COULD CAONTACT THE FRONT AXLE SHCOK ABSORBER UPPER BRACKET AND CAUSE THE INLET FITTING TO BREAK. THIS WOULD RESULT IN LOSS OF BRAKING ON THE AFFECTED WHEEL AND COULD ADVERSELY AFFECT STE
## 488 On certain C1500, TAhoe and Yukon vehicles, the rear brake front pipe may contact the the left front fender wheelhouse inner panel just above the chassis frame. This could eventually wear a hole in the brake pipe which would result in brake fluid loss and reduced braking effectiveness. Correction; Rear brake pipe positioning clip will be relocated, brake pipe will be inspected for wear and replaced if necessary.
## 489 Certain vehicles may have been built with a power steering hose that is not to specification. Under extreme steering manoeuvres, such as turning the steering wheel fully to the left or right while braking, the hose may fracture and leak fluid. If this were to occur, power steering assist would be lost and increased steering effort would be required. On vehicles equipped with hydro-boost power brakes, it could also result in loss of power brake assist and increase braking effort would be required. If power steering fluid were to spray onto hot engine parts, an engine compartment fire could occur. Correction; Dealers will inspect the power steering hose(s) for two suspect date codes and replace them if required.
## 490 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 491 On certain vehicles the low pressure brake fluid feed pipe between the master cylinder and remote reservoir has the potential to trap or retain air. This air could enter the master cylinder causing excessive pedal travel and partial failure of the primary circuit, increasing the risk of a crash. Correction; Dealers will replace both hoses and brake fluid reservoir.
## 492 Certain vehicles are missing a retainer that holds the brake booster push rod and the brake pedal together. If the retainer is missing, the push rod and pedal could separate resulting in a loss of foundation brakes which could lead to a vehicle crash. Correction; Dealer will inspect for the presence of the brake switch retainer and install a new retainer if it is missing.
## 493 On certain vehicles the low pressure brake fluid feed pipe between the master cylinder and remote reservoir has the potential to trap or retain air. This air could enter the master cylinder causing excessive pedal travel and partial failure of the primary circuit, increasing the risk of a crash. Correction; Dealers will replace both hoses and brake fluid reservoir.
## 494 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, replace the passenger airbag inflator. Note; This is an expansion of recalls 2013117 and 2014272. Vehicles that were repaired under the previous campaign are not affected because that remedy would have corrected the subject condition.
## 495 On certain vehicles equipped with 4 speed automatic transmissions, the shift cable could fracture without warning. If this occurs, the driver may not be able to select a different gear position, remove the key from the ignition, or place the transmission in the PARK position. If the driver cannot place the vehicle in the PARK position and exits the vehicle without applying the parking brake, the vehicle could roll away, which could result in a crash causing injury and/or damage to property. Correction; Dealers will install a revised shift cable and mounting bracket.
## 496 On certain vehicles, there is a risk that some drivers may bump the ignition key with their knee and unintentionally move the key from out of the run position. If this were to occur, engine power, power braking and power steering would be affected, which would unexpectedly increase steering and brake pedal effort, potentially increasing stopping distances and the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; Dealers are to remove the key blade from the original flip key/transmitter assemblies provided with the vehicle, and provide two new keys and two key rings for every original key. Important note; Until the correction is performed, drivers should adjust their seat and steering column to allow clearance between their knee and the ignition key.
## 497 On certain vehicles, there is a risk that some drivers may bump the ignition key with their knee and unintentionally move the key from out of the run position. If this were to occur, engine power, power braking and power steering would be affected, which would unexpectedly increase steering and brake pedal effort, potentially increasing stopping distances and the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; Dealers are to remove the key blade from the original flip key/transmitter assemblies provided with the vehicle, and provide two new keys and two key rings for every original key. Important note; Until the correction is performed, drivers should adjust their seat and steering column to allow clearance between their knee and the ignition key.
## 498 On certain trucks the fitting that connects the double check valve to the rear axle air brake relay valve may break. If the fitting breaks the rear service brakes will cease to operate, resulting in an extended stopping distance, possibly resulting in a collision.
## 499 SEVERE BRAKE CHATTER MAY CAUSE THE FRONT AXLE BRAKE CHAMBER MOUNTING BRACKETS TO DEVELOP CRACKS IN THE WELD AREA WHERE THE S-CAM TUBE ATTACHES TO THE CHAMBER SUPPORT SECTION. BRACKET FAILURE COULD RESULT IN LOSS OF FRONT WHEEL BRAKING AND POSSIBLE RESTRICTION IN STEERING CONTROL. THIS COULD CAUSE VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION;REINFORCED FRONT AXLE BRAKE CHAMBER MOUNTING BRACKETS WILL BE INSTALLED AND,IF NOT FITTED,A FRONT BRAKE LIMITING VALVE.
## 500 NOTE; VEHICLES BUILT WITH LIQUID PETROLEUM GAS (LPG) ENGINES. NO 1992 VEHICLES WERE PRODUCED WITH LPG ENGINES. THESE VEHICLES DO NOT COMPLY WITH CMVSS 301.1 - LPG FUEL SYSTEM INTEGRITY. VEHICLES MAY HAVE BEEN BUILT WITH LPG FUEL HOSES INTENDED FOR U.S. VEHICLES, RATHER THAN THE TYPE III HOSES THAT ARE SPECIFIED BY THE CANADIAN STANDARD. BOTH THE ENGINE TO BULKHEAD HOSES AND BULKHEAD TO TANK HOSES MAY BE AFFECTED. CORRECTION; VEHICLES WILL BE INSPECTED AND TYPE III HOSES WILL BE INSTALLED AS REQUIRED.
## 501 On certain vehicles, the steering wheel clock spring could become contaminated with long hair or long fibers which may cause a displacement of the internal guide loops. When the guide loops are dragged out of position, they may apply tension to the internal flat cable and cause it to tear. Should the cable tear, the electrical connection to the drivers front airbag may be lost, causing the airbag monitoring indicator light to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will affect repairs.
## 502 REVISED-DESIGN LOCK WEDGES ON REAR AXLE ASSEMBLIES MAY DISENGAGE FROM THE AXLE RETAINING NUT. IF THIS WERE TO OCCUR ON THE LEFT AXLE AND THE WEDGE BECAME JAMMED BETWEEN THE RETAINING NUT AND THE HUB, THE REATINING NUT COULD LOOSEN AND BACK OFF COMPLETELY, CREATING THE POSSIBILITY OF THE LEFT REAR AXLE, WHEEL AND BRAKE DRUM PARTIALLY OR COMPLETELY SEPARATING FROM THE REAR AXLE ASSEMBLY. PARTIAL SEPARATION WOULD RESULT IN LOSS OF REAR BRAKING CAPABILITY AND COMPLETE SEPARATION WOULD ADVERSELY AFFECT VEHICLE CONTROL.
## 503 NOTE; THIS RECALL HAS BEEN SUPERSEDED BY RECALL 97-107 (CHRYSLER-714).THE MASTER CYLINDER REAR SEAL BETWEEN THE HYDRAULIC FLUID AND THE VACUUM RESERVOIR, MAY NOT SEAL ADEQUATELY. THIS CAN ALLOW HYDRAULIC FLUID TO BE DRAWN INTO THE POWER ASSIST VACUUM RESERVOIR. LOSS OF BRAKE FLUID WILL RESULT IN ILLUMINATION OF THE INSTRUMENT PANEL BRAKE WARNING LAMP. CONTINUED OPERATION OF THE VEHICLE WITH THE WARNING LAMP ILLUMINATED MAY RESULT IN EXTENDED STOPPING DISTANCES.CORRECTION; AFFECTED VEHICLES WILL BE INSPECTED AND MASTER CYLINDER WILL BE REPLACED IF REQUIRED.
## 504 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, replace the passenger airbag inflator. Note; This recall supersedes recall 2013117. Vehicles corrected as part of the previous campaign will require re-inspection and/or repair.
## 505 On certain vehicles, stones could become lodged in the height sensing brake proportioning valve. Inhibited valve function, due to stone intrusion, may result in increased stopping distances during severe braking with light loads.
## 506 NOTE; THIS RECALL HAS BEEN SUPERSEDED BY RECALL 97-107 (CHRYSLER-714).THE MASTER CYLINDER REAR SEAL BETWEEN THE HYDRAULIC FLUID AND THE VACUUM RESERVOIR, MAY NOT SEAL ADEQUATELY. THIS CAN ALLOW HYDRAULIC FLUID TO BE DRAWN INTO THE POWER ASSIST VACUUM RESERVOIR. LOSS OF BRAKE FLUID WILL RESULT IN ILLUMINATION OF THE INSTRUMENT PANEL BRAKE WARNING LAMP. CONTINUED OPERATION OF THE VEHICLE WITH THE WARNING LAMP ILLUMINATED MAY RESULT IN EXTENDED STOPPING DISTANCES.CORRECTION; AFFECTED VEHICLES WILL BE INSPECTED AND MASTER CYLINDER WILL BE REPLACED IF REQUIRED.
## 507 On certain vehicles, the TRW Model 410M Electronic Control Unit (ECU) can misinterpret particular false wheel speed signals generated from any of the following conditions; An incorrect gap between the sensor and tone ring, a chaffed sensor wire, connector corrosion, sensor vibration or quality of harness and pin-outs. If one of these conditions occurs, the ECU could not distinguish between an actual low friction event on road surface and a low amplitude sensor signal and would activate the ABS brakes, instead of deactivating the ABS in response to a false signal. The driver would experience a hard brake pedal during the middle to end of a braking event and a decrease in deceleration at the end of the stop. The driver may experience an unexpected extended stopping distance, which could result in a collision. The ABS warning indicator light may not come on to warn the driver of a system malfunction. Correction; Dealers will replace the ABS ECU. Note; This Recall supersedes Recall 2002165.
## 508 On certain motorcycles, the engine mount adjusting collars may have been over-tightened at the factory, creating excessive stress on the weld(s) on the lower rear crossmember of the frame. Under certain conditions, the crossmember weld(s) can crack, allowing the rear suspension to collapse. This could result in a crash, causing personal injury or death. Correction; Dealers will verify the torque of the engine mount adjusting collars and, if necessary, replace the frame.
## 509 On certain vehicles, the stop lamp switch may have been incorrectly installed during vehicle assembly. This could prevent proper brake lamp operation. Failure of the brake lamps to illuminate when the brakes are applied may result in the following road users being unaware of the drivers intentions, increasing the risk of a crash causing injury or death. A malfunction of the switch may also cause the brake lamps to remain illuminated when the brake pedal is released. Additionally, a faulty switch may affect the operation of the brake-transmission shift interlock on automatic transmission-equipped vehicles so that the transmission shifter would not be able to be shifted out of PARK position. It may also cause the Electronic Stability Control (ESC) light to illuminate, and it may not deactivate the cruise control when the brake pedal is depressed. Correction; Dealers will replace the stop lamp switch assembly.
## 510 THE NUTS USED TO ATTACH THE REAR ROAD WHEELS TO THE AXLE SHAFT MAY LOOSEN BECAUSE OF AN OUT-OF-TOLERANCE AXLE SHAFT WHICH WILL NOT PERMIT FULL SEATING OF THE BRAKE DRUM ONTO THE AXLE SHAFT. THIS COULD RESULT IN WHEEL SEPARATION AND LOSS OF VEHICLE CONTROL. CORRECTION; REAR AXLE SHAFTS WILL BE INSPECTED AND REPLACED AS NECESSARY.
## 511 IMPROPER USE OF THE CAB TILT SYSTEM MAY RESULT IN BUCKLING OF THE TILT CYLINDERS. THIS CAN OCCUR IF THE OPERATOR ATTEMPTS TO LOWER THE CAB BY CONTINUED PUMPING DOWN OF THE SYSTEM WITHOUT RELEASING THE SAFETY LATCH OR AFTER A TILT CYLINDER VELOCITY FUSE HAS LOCKED-UP. IF BUCKLING OCCURS, THE CAB MAY DROP TO ITS LOWERED POSITION. CORRECTION; 1 1/2 DIAMETER TILT CYLINDERS WILL BE REPLACED WITH 2 DIAMETER CYLINDERS.
## 512 On certain vehicles, the rear axle vent hose could contact the rear brake hose which eventually could wear a hole in the brake hose. Perforation of the rear brake hose will result in a loss of braking force at the rear wheels. Correction; Rear brake hoses will be inspected for evidence of wear. Worn brake hoses will be replaced. The rear axle vent hose will be shortened by 8 cm and a clip will be installed to assure the clearance between the axle vent line and the brake hose is maintained.
## 513 IMPROPER USE OF THE CAB TILT SYSTEM MAY RESULT IN BUCKLING OF THE TILT CYLINDERS. THIS CAN OCCUR IF THE OPERATOR ATTEMPTS TO LOWER THE CAB BY CONTINUED PUMPING DOWN OF THE SYSTEM WITHOUT RELEASING THE SAFETY LATCH OR AFTER A TILT CYLINDER VELOCITY FUSE HAS LOCKED-UP. IF BUCKLING OCCURS, THE CAB MAY DROP TO ITS LOWERED POSITION. CORRECTION; 1 1/2 DIAMETER TILT CYLINDERS WILL BE REPLACED WITH 2 DIAMETER CYLINDERS.
## 514 On certain vehicles, specific operating conditions (such as tight, successive, highly banked curves in opposite directions], could trigger unintended Electronic Stability Control (ESC) system intervention. As a result, the ESC may unnecessarily apply one of the front brakes in order to correct the perceived oversteer condition. This may cause the vehicle to deviate from the intended path, thereby increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ESC module.
## 515 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS. PLUGGED CHOKE VACUUM DELAY VALVE. NOTE; VEHICLES EQUIPPED WITH 2.2 LITRE CARBURETED ENGINES.
## 516 NOTE; VEHICLES EQUIPPED WITH 2.8 LITRE,6 CYLINDER ENGINES.AN INTERACTION OF THE ENGINE COMPARTMENT ENVIRONMENT AND MAINTENANCE OR SERVICE RELATED FACTORS COULD CREATE THE POTENTIAL FOR AN ENGINE COMPARTMENT FIRE WHICH COULD SPREAD TO THE PASSENGER COMPARTMENT.CORRECTION; VEHICLES WILL HAVE A MANIFOLD DEFLECTOR INSTALLED, A PCV SYSTEM MODIFICATION, A MINOR CHANGE TO DECK LID SEALING AND A GENERAL INSPECTION (AND REPAIR AS NECESSARY) OF UNDERHOOD FLUID AND WIRING SYSTEMS. ADDITIONALLY, 1985-86 MODEL YEAR VEHICLES WILL HAVE A NEW EXHAUST MANIFOLD INSTALLED TO BRING THEM UP TO 1987-88 SPECIFICATIONS.
## 517 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 518 VEHICLES EQUIPPED WITH DUAL HYDRAULIC BRAKE SYSTEM. IMPROPER GRADE AND HARDNESS BOLTS MAY HAVE BEEN USED TO MOUNT THE BRAKE MASTER CYLINDER TO THE BRAKE BOOSTER UNIT. THESE BOLTS COULD BREAK AND ALLOW THE MASTER CYLINDER TO BECOME TOTALLY DETACHED FROM ITS MOUNTING.
## 519 VEHICLES EQUIPPED WITH DUAL HYDRAULIC BRAKE SYSTEM. IMPROPER GRADE AND HARDNESS BOLTS MAY HAVE BEEN USED TO MOUNT THE BRAKE MASTER CYLINDER TO THE BRAKE BOOSTER UNIT. THESE BOLTS COULD BREAK AND ALLOW THE MASTER CYLINDER TO BECOME TOTALLY DETACHED FROM ITS MOUNTING.
## 520 On certain vehicles, the TRW Model 410M ECU (Electronic Control Unit) can misinterpret particular false wheel speed signals generated from any of the following conditions; An incorrect gap between the sensor and tone ring, a chaffed sensor wire, connector corrosion, sensor vibration or quality of harness and pin-outs. If one of these conditions occurs, the ECU could not distinguish between an actual low friction event on road surface and a low amplitude sensor signal and would activate the ABS brakes, instead of deactivating the ABS in response to a false signal. The driver would experience a hard brake pedal during the middle to end of a braking event and a decrease in deceleration at the end of the stop. The driver may experience an unexpected extended stopping distance, which could result in a collision. The ABS warning indicator light may not come on to warn the driver of a system malfunction. Correction; Dealer will affect repairs. Note; recall superseded by 2004171 and 2004172.
## 521 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 522 A CHANGE IN THE BRAKE SYSTEMS HYDROVAC CANISTERS RESULTED IN THE DEGRADATION OF BRAKE CHARACTERISTICS OF SUSPECT VEHICLES. IN COMPARISON TO THE OLD DESIGN, INCREASED BRAKE PEDAL EFFORT IS NECESSARY TO ATTAIN IDENTICAL STOPPING CAPABILITY. ALSO THE MAXIMUM STOPPING CAPABILITY IS INFERIOR TO THE OLD. A DRIVER UNFAMILIAR WITH THESE BRAKES MIGHT NOT BE ABLE TO STOP THE VEHICLE QUICKLY IN AN EMERGENCY SITUATION.
## 523 On certain vehicles, In areas of high road salt use, corrosion of the composite front brake rotors could cause separation of the stamped steel centre section from the cast outer rotor resulting in complete loss of braking capability for the affected wheel and a partial loss of front braking. This would increase stopping distances and could result in a crash without prior warning. Correction; Dealers will replace both front brake rotors with rotors having a corrosion protective coating.
## 524 S SERIES 1700, 1800, 1900 TRUCKS AND BUSES. THE DEFECT IS IN THE STEERING SYSTEM - THE OPERATING TEMPERATURE NEAR THE HOSE WHICH RETURNS FLUID FROM THE STEERING PUMP MAY EXCEED THE ABILITY OF THE HOSE TO RESIST HEAT. IF THIS CONDITION EXISTS, THE HOSE CAN DETERIORATE OVER TIME AND MAY RUPTURE AND SPRAY STEERING FLUID UPON THE ENGINE MANIFOLD WHICH COULD, WITHOUT PRIOR WARNING, RESULT IN A VEHICLE FIRE. VEHICLE FIRES CAN RESULT IN INJURY TO THE OCCUPANTS OF THE VEHICLE.
## 525 1975-76 AMC GREMLIN AND HORNET VEHICLES EQUIPPED WITH SIX CYLINDER ENGINES AND POWER STEERING. THE POWER STEERING HOSE MAY BE ROUTED TOO CLOSE TO THE EXHAUST MANIFOLD. THIS COULD CAUSE HEAT DAMAGE TO THE HOSE ALLOWING POWER STEERING FLUID TO BE SPRAYED ON THE EXHAUST MANIFOLD CAUSING SMOKE AND POSSIBLY CAUSING AN ENGINE COMPARTMENT FIRE.
## 526 On certain vehicles equipped with a Caterpillar engine, the Variable Valve Actuation oil line (VVA line) used on 6 cylinder, 15L turbocharged and air-to-air aftercooled diesel engines may wear against the sharp edge of the cylinder head if not oriented correctly. Oil line wear may cause an oil leak and a potential fire hazard. Correction; Dealers will inspect and, if required, replace the VVA line.
## 527 On certain vehicles, the steering wheel clock spring could become contaminated with long hair or long fibers which may cause a displacement of the internal guide loops. When the guide loops are dragged out of position, they may apply tension to the internal flat cable and cause it to tear. Should the cable tear, the electrical connection to the drivers front airbag may be lost, causing the airbag monitoring indicator light to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will affect repairs.
## 528 On certain vehicles, the airbag warning lamp may illuminate due to an electrical fault within the Occupant Restraint Control (ORC) module. As a result, the Active Head Restraints (AHR) may not deploy during a rear impact collision (where deployment is warranted], which could increase the risk of personal injury to the front seat occupants. Correction; Dealers will reprogram the Totally Integrated Power Module (TIPM) or replace the ORC module, as required.
## 529 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 530 IF THE ENGINE OVERHEATS, IT IS POSSIBLE THAT THE WALL OF THE END CAP CONNECTING THE HEAT EXCHANGERS CORE TO THE ENGINE COOLING SYSTEM COULD RUPTURE AND ALLOW HOT COOLANT TO ESCAPE. SHOULD THIS HAPPEN, SOME OF THE COOLANT COULD CONTACT THE DRIVERS FEET, CAUSING INJURY AND STEAM UP THE INTERIOR OF THE VEHICLE, IMPAIRING VISIBILITY. CORRECTION; HEAT EXCHANGER WILL BE REPLACED.
## 531 ON VEHICLES WITH 7.3 LITRE ENGINES AND POWER STEERING, THE V-BELT PULLEY, WHICH DRIVES THE HYDRAULIC PUMP PROVIDING POWER ASSIST FOR STEERING AND HYDRAULIC BRAKES CAN FAIL. THIS WOULD CAUSE LOSS OF POWER ASSIST TO THE STEERING AND PRIMARY POWER ASSIST TO THE BRAKES AND POSSIBLY RESULT IN LOSS OF CONTROL AND A VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION; A DIFFERENT PULLEY WILL BE INSTALLED AND THE POWER STEERING PUMP MOUNTING WILL BE REINFORCED.
## 532 ON VEHICLES WITH 7.3 LITRE ENGINES AND POWER STEERING, THE V-BELT PULLEY, WHICH DRIVES THE HYDRAULIC PUMP PROVIDING POWER ASSIST FOR STEERING AND HYDRAULIC BRAKES CAN FAIL. THIS WOULD CAUSE LOSS OF POWER ASSIST TO THE STEERING AND PRIMARY POWER ASSIST TO THE BRAKES AND POSSIBLY RESULT IN LOSS OF CONTROL AND A VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION; A DIFFERENT PULLEY WILL BE INSTALLED AND THE POWER STEERING PUMP MOUNTING WILL BE REINFORCED.
## 533 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 534 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will replace the airbag module.
## 535 VEHICLES IN THE FOLLOWING COMBINATIONS; 1975-77 WITH 225 CID SINGLE BARREL ENGINES OR 1976-77 WITH 225/318 CID TWO BARREL ENGINES WITH CATALYTIC CONVERTERS. THE VEHICLES HAVE A POTENTIAL FOR PERSISTENT ENGINE STALLING UNDER CERTAIN DRIVING CONDITIONS DUE TO A DISTORTION IOF THE CARBURETOR ACCELERATOR PUMP SEAL AND/OR A MALFUNCTION OF THE COOLANT CONTROLLED EXHAUST GAS RECIRCULATION VALVE SWITCH.
## 536 CRACKS IN THE AXLE BEAM ASSEMBLY MAY LEAD TO A FAILURE OF THE AXLE BEAM END UNDER NORMAL OPERATING CONDITIONS, CAUSING A COMPLETE SEPARATION OF THE WHEELS, TIRES, BRAKE ASSEMBLIES AND STEERING KNUCKLES FROM THE VEHICLE.
## 537 CRACKS IN THE AXLE BEAM ASSEMBLY MAY LEAD TO A FAILURE OF THE AXLE BEAM END UNDER NORMAL OPERATING CONDITIONS, CAUSING A COMPLETE SEPARATION OF THE WHEELS, TIRES, BRAKE ASSEMBLIES AND STEERING KNUCKLES FROM THE VEHICLE.
## 538 ON VEHICLES EQUIPPED WITH A DRIVER SIDE SUPPLEMENTAL AIR BAG, THE CENTRE POST THREADS OF THE AIR BAG MODULE MAY HAVE BEEN DAMAGED DURING ASSEMBLY. IN A DEPLOYMENT LEVEL COLLISION, THE CENTRE POST HOUSING MAY SEPARATE FROM THE AIR BAG ADAPTER CAUSING THE AIR BAG NOT TO INFLATE PROPERLY. IN ADDITION, HOT COMBUSTION GASES WOULD FLOW DIRECTLY THROUGH THE AIR BAG RATHER THAN THROUGH THE NORMAL FILTERING AND COOLING DEVICES, PRESENTING THE POSSIBILITY OF BURN INJURY TO VEHICLE OCCUPANTS.CORRECTION; AIR BAG MODULES WILL BE INSPECTED AND REPLACED IF NECESSARY.
## 539 On certain vehicles, silicone grease may have come into contact with the stop lamp switch during vehicle assembly. If grease infiltrates the switch, instrument panel warning lamps could illuminate, a no start condition could result, or the shift lever may not shift from the PARK position. In some instances, the vehicle stop lamps could become inoperative. Failure of the stop lamps to illuminate when the brakes are applied may result in the following road users being unaware of the drivers intentions, increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the stop lamp switch.
## 540 VEHICLES EQUIPPED WITH AUTOMATIC TRANSMISSIONS. THE THROTTLE CABLE MAY BIND AND CHAFE AT THE TRUNNION PIN RESULTING IN A THROTTLE CABLE FAILURE. A FAILURE WOULD CAUSE THE THROTTLE TO CLOSE CAUSING THE ENGINE TO RETURN TO IDLE MAKING THE VEHICLE INOPERATIVE IN TRAFFIC.
## 541 On certain 325I, 330I, 525I and 530I vehicles during the strut mount manufacturing process, the thrust bearing was not properly positioned and secured. If the suspension is fully unloaded, the front strut could separate from the upper mount. This could affect vehicle handling and control, increasing the risk of a crash. Correction; Dealers will replace both front spring strut upper mounts.
## 542 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 543 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 544 Certain vehicles may have been assembled with an incorrectly manufactured Bendix MV-3 dash control valve. If the double check valve becomes lodged, in the event of a primary reservoir failure, air pressure can leak past the lodged valve, thereby depleting the secondary reservoir, causing a reduced ability for modulating the emergency brakes. Extended stopping distances may result in a vehicle crash, causing property damage, and/or personal injury or death. Correction; Dealers will inspect and, if necessary, replace the dash control valve.
## 545 THE CAM LEVER ON THE POWERED APPLY BRAKE CAN MOVE FORWARD BECAUSE OF A HOLE IN THE TRANSMISSION MOUNTING BOSS WAS DRILLED TOO DEEP, ALLOWING THE CAM LEVER TO BECOME DISENGAGED FROM THE PARKING BRAKE SHOES. SHOULD THIS OCCUR, THE DRIVER WOULD HAVE NO WARNING THAT THE PARKING BRAKE WAS NOT APPLIED. THIS COULD RESULT IN VEHICLE ROLL AWAY AND A POSSIBLE ACCIDENT.CORRECTION; SHIMS WILL BE INSTALLED IN THE DRILLED AREA OF THE AUTOMATIC TRANSMISSION PARK BRAKE PIVOT PIN HOLE.
## 546 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 547 On certain 2500HD and 3500HD series pickup trucks, the passenger frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will replace airbag inflators.
## 548 C-SERIES TRUCKS EQUIPPED WITH 361, 389 OR 391 CUBIC INCH FT MODEL GASOLINE ENGINES AND ALLISON AT-540 AUTOMATIC TRANSMISSIONS. THE ENGINE COOLING FAN BLADES ARE SUBJECT TO HIGH STRESSES WHICH CAN RESULT IN METAL FATIGUE AND POSSIBLE SEPARATION. A FAN BLADE CAN SEPARATE WITHOUT WARNING AND DAMAGE UNDERHOOD COMPONENTS OR INJURE SERVICE PERSONNEL.
## 549 NOTE; INCLUDES PASSAT, GOLF AND JETTA TURBO DIESEL.ON 1993-94 MODELS, THE RADIATOR FAN MOTOR SHAFT COULD SEIZE AND RENDER THE FAN MOTOR INOPERATIVE. 1994-95 MODELS COULD EXPERIENCE A CONDITION WHEREBY THE LOCK NUT SECURING THE RADIATOR FAN BLADE HUB TO THE MOTOR COULD LOSE ITS REQUIRED TORQUE. A LOOSE LOCK NUT COULD CAUSE THE FAN HUB TO LOOSEN FROM THE SHAFT AND CAUSE THE BELT PULLEY TO RUN OFF-CENTER. THIS IN TURN COULD CAUSE THE FAN BELT TO DISCONNECT OR BREAK. EITHER OF THE ABOVE CONDITIONS COULD RESULT IN ENGINE OVERHEATING AND STALLING. A VEHICLE STALLING IN TRAFFIC COULD CAUSE AN ACCIDENT.CORRECTION; VEHICLES WITH EITHER HAVE THE COMPLETE COOLING FAN ASSEMBLY REPLACED OR A NEW FAN BLADE WITH A NEW LOCK NUT INSTALLED.
## 550 Certain trucks may have been built with bare mufflers mounted at the back of the cab behind air shields. There is no heat shield to protect someone from contacting the hot muffler if they are standing on a deck plate behind the cab. Also, some of these vehicles were equipped with deck plates with no grab handle for access. Correction; Muffler shields and where necessary, grab handles will be installed on affected vehicles.
## 551 On certain vehicles, a buildup of pressure in the brake booster pump wiring harness could dislodge sealing plugs from an electrical connector and allow contaminates to enter the brake booster pump relay connector. This could result in corrosion and cause a short in the connector, potentially resulting in a fire and increasing the risk of injury and/or damage to property. Correction; Dealers will affect repairs.
## 552 On certain vehicles, the brake hoses are not labelled with a designation that identifies the manufacturer of the assembly as required by CMVSS 106. This non-compliance has no effect on the performance of the involved brake hose assemblies. Correction; Since this does not pose a safety risk, no corrective action is required.
## 553 On certain vehicles, the diffuser within the side window airbag module may contain hairline cracks. As a result, the lateral airbag may not deploy as intended during a side impact crash. This could increase the risk of injury to the front seat occupants. Correction; Dealers will replace the side window airbag module.
## 554 Chrysler Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Chrysler Canada will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015228. Please see recall 2015228 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information</a>
## 555 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 556 On certain trucks, the air tank mounting brackets may crack, which could allow the tank to detach from the vehicle. An air tank separating from the vehicle could strike another vehicle, a stationary object, or a bystander. As well, loss of an air tank would cause a loss of service brakes, which could increase stopping distances, possibly causing a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will replace the air tank mounting brackets.
## 557 On certain vehicles, a manufacturing error with the double-check valve module used in controls for the park brake interlock on school bus chassis or in the optional M2 work brake may affect vehicle braking capabilities. On vehicles with park brake interlock controls, the double-check valve may release air from the service and parking brakes when service brake is applied. On vehicles with work brakes, the work brake may not hold depending on weight, slope and air leak rate, or the stop lamps may intermittently not come on when the service brake pedal is applied. Correction; Dealers will replace the double-check valve module.
## 558 On certain motorcycles, the frame welds may not have sufficient strength where the neck is connected to the backbone and the down tube. There might be some instances where customers may have modified their frame by adding holes, ground down welds, and improperly torqued the top motor mount. The weld could fail resulting in a separation of the neck from the frame which could result in a loss of vehicle control, causing a crash with personal injuries or death. Correction; Dealers will inspect and repair affected vehicles
## 559 VEHICLES EQUIPPED WITH CATERPILLAR 3406 ENGINES MAY EXPERIENCE A LOSS OF THE GOVERNOR SERVE PIN. THIS WOULD RESULT IN THE ENGINE AND VEHICLE CONTINUING AT THEIR SAME RESPECTIVE SPEEDS UNTIL A CHANGE IN LOAD OCCURS (I.E. TERRAIN, BRAKES OR CLUTCH) AND COULD REDUCE ENGINE BRAKING WITH A SUBSEQUENT INCREASE IN STOPPING DISTANCES AND THE RISK OF A CRASH.CORRECTION; GOVERNORS WILL BE RE-WORKED TO ENSURE ADEQUATE PRESS FIT AND/OR STAKING AT THE ENDS OF THE SERVE PIN BORE.
## 560 VEHICLES EQUIPPED WITH CATERPILLAR 3406 ENGINES MAY EXPERIENCE A LOSS OF THE GOVERNOR SERVE PIN. THIS WOULD RESULT IN THE ENGINE AND VEHICLE CONTINUING AT THEIR SAME RESPECTIVE SPEEDS UNTIL A CHANGE IN LOAD OCCURS (I.E. TERRAIN, BRAKES OR CLUTCH) AND COULD REDUCE ENGINE BRAKING WITH A SUBSEQUENT INCREASE IN STOPPING DISTANCES AND THE RISK OF A CRASH.CORRECTION; GOVERNORS WILL BE RE-WORKED TO ENSURE ADEQUATE PRESS FIT AND/OR STAKING AT THE ENDS OF THE SERVE PIN BORE.
## 561 On certain vehicles equipped with a Caterpillar C15 engine, the Variable Valve Actuation oil line (VVA line) may wear against the sharp edge of the cylinder head if not oriented correctly. Oil line wear may cause an oil leak and a potential fire hazard. Correction; Dealers will inspect and, if required, replace the VVA line.
## 562 ON VEHICLES WITH AUTOMATIC TRANSMISSION, THE BLADES IN THE BRAKE VACUUM BOOSTER PUMP COULD PREMATURELY WEAR, RESULTING IN REDUCED BRAKE ASSIST PRESSURE WHEN APPLYING THE BRAKE PEDAL. THIS COULD RESULT IN INCREASED STOPPING DISTANCE AND A POSSIBLE CRASH.CORRECTION; BRAKE VACUUM BOOSTER VALVE WILL BE REPLACED WITH AN IMPROVED VERSION ON AFFECTED VEHICLES.
## 563 Certain vehicles may not comply with Canada Motor Vehicle Safety Standard 208 - Occupant Protection in Frontal Impacts. Prescribed text may have been omitted from the airbag warning label in the French language only. As a result, the French-language warning label is more restrictive than the English. Correction; No corrective recall action is required as this technical non-compliance is deemed to be non-safety related.
## 564 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, replace the passenger airbag inflator. Note; This recall supersedes recall 2013117. Vehicles corrected as part of the previous campaign will require re-inspection and/or repair.
## 565 On certain vehicles, a diode in the Anti-Lock Brake System (ABS) module may experience an electrical short. An electrical short may cause an ABS malfunction that would illuminate the ABS warning light, or the module may overheat resulting in burning odor, smoke, and/or fire. Since battery power is always present at the module, this condition may occur when the vehicle ignition switch is in the off position, creating the potential for unattended vehicle fires. Correction; Dealers will replace the ABS module.
## 566 On some street sweepers built on UD Truck chassis, the air brake system may not comply with Canada Motor Vehicle Safety Standard 121- Air Brake Systems. During the conversion into a street sweeper, the primary and secondary circuits may have been tied together and may no longer be isolated. This would cause a loss of both the front and rear service brakes in the event of an air leak in either service brake circuit, which could result in a reduction of braking performance, increased stopping distances, loss of system pressure and/or emergency brake application. Correction; Elgin authorized repair facilities will inspect the air lines and re-route as necessary.
## 567 Certain vehicles were produced with a body wiring harness with no protective conduit in the area under the drivers feet. The higher the frequency of operators entering and exiting the vehicles, the higher the potential for harness wear. The body wiring harness includes SDM (Sensing Diagnostic Module) wiring could be damaged from chaffing and wear by vehicle operators, which can result in inadvertent airbag deployment. A person may receive minor injuries, such as abrasions, from contact with the bag. Correction; Dealers will inspect the wiring harness for potential damage, repair or replace the harness if required and add conduit to all harnesses.
## 568 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 569 Certain medium duty pickup trucks equipped with air brakes that include the optional trailer package fail to comply with the requirements of C.M.V.S.S. no. 121, air brake systems. the air brake lines connected to the tractor protection valve are misrouted. A leak in the primary air circuit or secondary air circuit could result in a reduction, or loss of the trailer brake effectiveness as a result, increasing the risk of a crash. Correction; Dealers will re-route the airlines connected to the tractor protection valve.
## 570 MEDIUM DUTY TRUCKS EQUIPPED WITH DETROIT DIESEL ALLISON 4 CYLINDER ENGINES. VEHICLES MAY HAVE THE ACCELERATOR CROSS SHAFT SUPPORT BRACKET INSTALLED INA REVERSE END TO END POSITION. THIS CONDITION COULD CAUSE A SLIGHT BIND IN THE ACCELERATOR LINKAGE RESULTING IN A RETURN TO IDLE TIME IN EXCESS OF THE TIME LIMIT SPECIFIED BY CANADA MOTOR VEHICLE SAFETY STANDARD 124 - ACCELERATOR CONTROL SYSTEM.
## 571 On certain motorcycles, the front brake master cylinder line connection threads may corrode, which could cause a brake fluid leak and a reduction in braking performance. If operated in this condition, this could eventually result in a loss of front brake function. These issues could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will flush and replace brake fluid, as well as in inspect the master cylinder and replace as necessary.
## 572 On certain motorcycles, the front brake master cylinder line connection threads may corrode, which could cause a brake fluid leak and a reduction in braking performance. If operated in this condition, this could eventually result in a loss of front brake function. These issues could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will flush and replace brake fluid, as well as in inspect the master cylinder and replace as necessary.
## 573 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 102 - Transmission Control Functions. The Brake Transmission Shift Interlock (BTSI) switch may have been incorrectly manufactured and could fail. This would allow the transmission gear shift lever to be moved out of the PARK position without depressing the brake pedal. Depending which gear the driver selects, the vehicle could begin to move forward or backward immediately. This movement could result in property damage, or cause the vehicle to strike a bystander, potentially resulting in personal injury. Correction; Dealers will inspect and, if necessary, replace the BTSI switch.
## 574 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 575 TRUCKS EQUIPPED WITH EATON 16.5 X 5 INCH S-CAM FRONT WHEEL AIR BRAKES. THE BRAKE SPIDERS MAY DEVELOP CRACKS NEAR THE CAMSHAFT MOUNTING BOSS WHICH CAN PROGRESS UNTIL THE CAMSHAFT BOSS IS COMPLETLY SEVERED FROM THE SPIDER. THIS CONDITION CAN RESULT IN LOSS OF BRAKE ACTION AT THAT WHEEL CAUSING PARTIAL LOSS OF FRONT WHEEL BRAKING CAPABILITY AND BRAKE IMBALANCE.
## 576 THESE VEHICLES DO NOT COMPLY WITH CMVSS 1103 - EXHAUST EMISSIONS. VEHICLES AFFECTED; 1.6 L ENGINE AND ATX TRANSMISSIONS
## 577 THE ROCKWELL FF SERIES FRONT AXLE BEAM ASSEMBLIES MAY CONTAIN CRACKS AT THE AXLE BEAM FORGED ENDS WHERE THE STEERING KNUCKLES ARE ATTACHED BY THE KING PINS. THESE CRACKS MAY LEAD TO A FAILURE OF THE AXLE BEAM END UNDER NORMAL OPERATING CONDITIONS AND COULD CAUSE A COMPLETE SEPARATION OF THE WHEELS, TIRES, BRAKE ASSEMBLIES AND STEERING KNUCKLES FROM THE VEHICLE, LEADING TO A LOSS OF VEHICLE CONTROL AND POSSIBLE CRASH.
## 578 Certain vehicles may have been produced with a brake pipe contacting the transmission mounting bracket or frame side rail. This condition can cause the brake line to wear through resulting in loss of brake fluid and eventual partial brake system failure. This would increase braking distances and could result in a crash without prior warning. Correction; Vehicles will be inspected and brake lines repositioned where necessary. Brake lines found to have an indentation caused by contact will be replaced.
## 579 On certain vehicles, a varistor in the Occupant Classification System (OCS) control unit located in the passenger seat cushion may have been manufactured incorrectly. Under certain conditions, this could cause an interruption of signal between the OCS and the Airbag control unit (ACU). This could result in the passenger airbag being suppressed. The (red) supplemental airbag warning light would flash and the (amber) front passenger airbag status light would illuminate to alert the vehicle operator, however in case of a crash a suppressed airbag could result in personal injury or death. Correction; Dealers will test the signal between the OCS and ACU and if necessary will replace the seat cushion containing OCS hardware.
## 580 On certain motorcycles, the Anti-Lock Brake System (ABS) modulator may have been manufactured incorrectly and could fail. Loss of ABS function would allow the front and/or rear wheel to lock under braking which, in conjunction with traffic and road conditions, and the riders reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ABS modulator.
## 581 SOME OF THE UNDERCOATING APPLIED TO THE INSIDE OF THE CAB SHELL MAY HAVE SQUEEZED OUT DURING ASSEMBLY ONTO THE BRAKE PEDAL PLUNGER. THIS MAY CAUSE THE PEDAL TO STICK RESULTING IN INCREASED BRAKE PEDAL EFFORT AND/OR SLOW RELEASE OF THE BRAKES. CORRECTION; BRAKE PEDAL PLUNGER ASSEMBLY WILL BE CLEANED, THEN LUBRICATED AND REASSEMBLED.
## 582 On certain vehicles, when driven in extremely low ambient temperatures, the intake manifold suction port for the brake vacuum can become blocked due to the freezing of condensation emanating from Positive Crankcase Ventilation (PCV). Should the suction port become blocked, vacuum assist to the brakes would be insufficient and the increased pedal pressure required could lead to an increase in vehicle stopping distance. Extended stopping distances may result in a vehicle crash causing property damage, personal injury or death. Correction; Dealers will install a newly designed intake air connector which will relocate the brake system vacuum port.
## 583 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 584 On certain vehicles the debris body hoist (dump) cylinder attachment points and sub-frame cross tube may crack. This may result in the debris body tilting over backwards from its fully extended position. If this occurs it could cause injury to the operator or personnel near the sewer cleaner. Correction; Dealer will reinforce the tube and mounts.
## 585 On certain vehicles the debris body hoist (dump) cylinder attachment points and sub-frame cross tube may crack. This may result in the debris body tilting over backwards from its fully extended position. If this occurs it could cause injury to the operator or personnel near the sewer cleaner. Correction; Dealer will reinforce the tube and mounts.
## 586 On certain vehicles, the hydraulic brake boosters pressure accumulator may crack and/or separate from the Hydro-Boost assembly during normal vehicle operating conditions. If a separation occurred and the hood of the vehicle was open, fragments from the accumulator could cause injury to people in the immediate area. In addition, the presence of this crack or fractured surface could allow the hydraulic fluid to leak from the accumulator circuit of the booster assembly. The loss of fluid would cause increased steering and braking effort. Correction; Dealers will test and, if necessary, replace the Hydro-Boost assembly.
## 587 VEHICLES EQUIPPED WITH CUMMINS NTC - SERIES ENGINES AND FULLER RT OR SPICER SST SERIES TRANSMISSIONS. INVOLVED VEHICLES HAVE ALUMINUM ENGINE REAR SUPPORT BRACKETS WHICH MAY FAIL ALLOWING THE ENGINE AND TRANSMISSION ASSEMBLY TO DISLOCATE DOWNWARD. THIS CONDITION COULD CAUSE A LOSS OF THROTTLE CONTROL AND RESULT IN A VEHICLE CRASH. ENGINE REAR SUPPORT BRACKETS WHICH MAY FAIL ALLOWING THE ENGINE AND TRANSMISSION ASSEMBLY TO DISLOCATE DOWNWARD. THIS CONDITION COULD CAUSE A LOSS OF THROTTLE CONTROL AND RESULT IN A VEHICLE CRASH.
## 588 On certain vehicles, the left front brake pipe may have a circumferential score at a random location along the length of the pipe as a result of an incomplete cutting/processing operation. If the brake pipe at the scoring location corroded to the point that the brake pipe wall became very thin, and application of the brake developed enough pressure to partially or fully fracture the brake pipe, brake pedal travel would immediately increase and front brake performance would be reduced. Correction; Dealer will replace the left front brake pipe.
## 589 DEFECT; THE MECHANICAL PARKING BRAKE LEVER MAY NOT TRAVEL FAR ENOUGH OVER CENTER TO ASSURE THAT IT REMAINS IN THE APPLIED POSITION. IF THE VEHICLE WAS JARRED THE BRAKE LEVER COULD RELEASE, RESULTING IN A POSSIBLE ROLLAWAY.CORRECTION; REMOVE AND REPLACE THE PARKING BRAKE LEVER WITH A BRAKE LEVER THAT HAS 10 DEGREES OVER CENTER TRAVEL AND REQUIRES A 25 LB. EFFORT TO RELEASE.
## 590 On certain vehicles, if the air conditioning condenser drain hose were to become clogged, water could accumulate and leak onto the airbag control module. This could cause the airbag warning light to illuminate, and potentially result in an unintended deployment of the airbags. This could startle the driver and/or cause minor injuries to vehicle occupants. Water damage could also cause a loss of power steering assist, causing the vehicle to revert to a manual steering mode which would require greater driver effort, especially at low vehicle speeds, and increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will install a protective shield and sealant.
## 591 On certain vehicles, there is a possibility that spilled liquid in the console box area could leak into the air bag sensor, causing the airbag warning light to come on. As a result, the airbag may not function properly. Correction; Dealers will install a modification kit to prevent this condition.
## 592 NOTE; VEHICLES EQUIPPED WITH VACUUM OPERATED FUEL VALVES.THIS CONDITION REQUIRES TWO FACTORS; THE USE OF REFORMULATED FUELS CONTAINING MBTE AND STARTING THE MOTORCYCLE WITH THE FUEL VALVE HANDLE IN THE OFF POSITION. THIS COULD AFFECT THE OPERATION OF THE DIAPHRAGM IN THE FUEL VALVE. THE FUEL FLOW COULD BECOME UNPREDICTABLE IN CERTAIN SITUATIONS THUS CAUSING THE ENGINE TO SHUT DOWN. CORRECTION; ORIGINAL FUEL VALVE DIAPHRAGM ASSEMBLY WILL BE REPLACED WITH A MODIFIED VERSION.
## 593 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 594 On certain vehicles, the brake pedal pivot pin end was not properly manufactured. As a result, the pin may not remain in place, causing the brake pedal to partially disengage from the brake pedal bracket. If this occurs, the driver will experience unusual and noticeable looseness in the pedal and a reduction in braking force. A reduction in braking force may lead to increased stopping distances and the risk of a crash causing property damage, personal injury or death. Correction; Owners of all potentially affected vehicles will be contacted and their brake pedal assembly will be inspected and replaced if necessary.
## 595 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 596 FAN BLADE CRACKING COULD LEAD TO COMPLETE FRACTURE OF THE FAN BLADE ALLOWING THE BLADE TO BE PROPELLED OUTSIDE OF THE FAN SHROUD. THIS COULD POSE AN IMMEDIATE DANGER TO PERSONS WHO ARE WORKING ON THE ENGINE OR STANDING ON EITHER SIDE OF THE ENGINE COMPARTMENT.CORRECTION; AN IMPROVED FAN WILL BE INSTALLED ON AFFECTED VEHICLES.
## 597 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 598 On certain vehicles, the TRW Model 410M ECU (Electronic Control Unit) can misinterpret particular false wheel speed signals generated from any of the following conditions; An incorrect gap between the sensor and tone ring, a chaffed sensor wire, connector corrosion, sensor vibration or quality of harness and pin-outs. If one of these conditions occurs, the ECU could not distinguish between an actual low friction event on road surface and a low amplitude sensor signal and would activate the ABS brakes, instead of deactivating the ABS in response to a false signal. The driver would experience a hard brake pedal during the middle to end of a braking event and a decrease in deceleration at the end of the stop. The driver may experience an unexpected extended stopping distance, which could result in a collision. The ABS warning indicator light may not come on to warn the driver of a system malfunction. Correction; Dealer will affect repairs. Note; recall superseded by 2004171 and 2004172.
## 599 THE CAM LEVER ON THE POWERED APPLY BRAKE CAN MOVE FORWARD BECAUSE OF A HOLE IN THE TRANSMISSION MOUNTING BOSS WAS DRILLED TOO DEEP, ALLOWING THE CAM LEVER TO BECOME DISENGAGED FROM THE PARKING BRAKE SHOES. SHOULD THIS OCCUR, THE DRIVER WOULD HAVE NO WARNING THAT THE PARKING BRAKE WAS NOT APPLIED. THIS COULD RESULT IN VEHICLE ROLL AWAY AND A POSSIBLE ACCIDENT.CORRECTION; SHIMS WILL BE INSTALLED IN THE DRILLED AREA OF THE AUTOMATIC TRANSMISSION PARK BRAKE PIVOT PIN HOLE.
## 600 On certain vehicles, the brake booster vacuum hose port in the base of the carburetor could become blocked with frozen moisture after an extended period of highway driving at low ambient temperatures. This may result in intermittant loss of brake power assist on a second application of the brake pedal. Correction; the brake booster vacuum hose will be relocated to the intake manifold.
## 601 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 602 On certain vehicles, the Head Protection System (HPS) may have been manufactured incorrectly. The clamp which secures the HPS air bag to the gas generator is out of specification. This could result in an insufficient inflation of the air bag during activation of the HPS, which would increase the risk of injury to the seat occupant in a crash where deployment of the HPS is warranted. Correction; Dealers will replace the Head Protection System (HPS).
## 603 On certain vehicles equipped with an 8-cylinder engine, corrosion may occur in the inner steel portions of the Active Body Controls high pressure distribution hose due to extensive exposure to humidity. This may result in ABC hydraulic fluid leakage near the catalictic converter which could cause a fire. Correction; Dealers will install a corrosion resistant ABC high-pressure distribution hose.
## 604 On certain vehicles, a defect in the supplemental restraint system could result in an inadvertent deployment of the front airbag(s) and/or seatbelt pretensioner(s). Unintended seatbelt pretensioner and/or airbag deployment, in a non-warranted (non-impact) situation, could startle the driver, which could result in a vehicle crash causing property damage and/or personal injury. In some instances, inadvertent deployment could cause minor injuries to vehicle occupants. Correction; Dealers will install an in-line jumper wiring harness to correct the issue.
## 605 TRUCKS EQUIPPED WITH MACK ENDT (B) 676, ETAZ (B) 673A AND ETAY (B) 673A ENGINES WITH AIRESEARCH TV6103 TURBO-CHARGERS. IN SOME INSTNACES OF TURBOCHARGER COMP[RESSOR WHEEL FAILURE THE CAPSCREWS RETAINING THE COMPRESSOR BACK PLATE MAY BE STRUCK BY PART OF THE COMP-RESSOR WHEEL. HTIS CAN RESULT IN THE CAPSCREWS BEING STRETCHED OR SHEARED, ALLOWING THE BACKPLATE TO DISLOCATE AND PRESSURIZED ENGINE OIL TO CONTACT THE HOT TURBOCHARGER TURBINE HOUSINGS AND/OR ENGINE EXHAUST MANIFOLD SECTIONS, THUS CREATING A POTENTIAL FOR ENGINE COMPARTMENT FIRE.
## 606 On certain trucks the fitting that connects the double check valve to the rear axle air brake relay valve may break. If the fitting breaks the rear service brakes will cease to operate, resulting in an extended stopping distance, possibly resulting in a collision.
## 607 Certain vehicles may suffer cracking of various brake assembly components (i.e. brake cam tube mounting flanges, brake air chamber bracket, brake air chamber, brake spider). Over time, this cracking can cause a complete fracture of the cam tube, which could increase stopping distances and decrease parking brake hold capability. A reduction of braking capability could increase the risk of a crash causing property damage, personal injury or death. Correction; Dealers will inspect the rear axle brake assembly, replace cracked rear axle brake components where required, and install cam tube support brackets on all rear axle wheel ends.
## 608 On certain vehicles, a programming defect exists in the vehicle input module. If the vehicle Master Power Switch is shut off while the brake pedal is depressed and the switch is turned back on, the brake lights could remain illuminated when the brakes are not applied. Erratic brake lamp function could increase the risk of a crash causing injury and/or property damage. Correction; Dealers will update software.
## 609 On certain vehicles, the vacuum valve and hose assembly at the brake booster could develop a vacuum leak due to an incorrect welding process during assembly. A vacuum leak at the brake booster would affect the performance of the power-assisted brakes. More brake pedal force may be required to stop the vehicle. Correction; Dealers will inspect and, if necessary, replace the vacuum hose assembly.
## 610 On certain vehicles, a check valve in the brake vacuum pump may leak a small amount of lubricating oil. Over time, this could result in contamination of the brake booster. Loss of brake power assist could occur which, in conjunction with traffic, road conditions, and drivers reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the brake booster and master cylinder. Additionally, the brake vacuum line (including the check valve) will be replaced to eliminate the possibility of oil reaching the brake booster.
## 611 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall is superseded by recall 2015269. Please see recall 2015269 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015269>Click here for more information</a>
## 612 On certain vehicles, a check valve in the brake vacuum pump may leak a small amount of lubricating oil. Over time, this could result in contamination of the brake booster. Loss of brake power assist could occur which, in conjunction with traffic, road conditions, and drivers reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the brake booster and master cylinder. Additionally, the brake vacuum line (including the check valve) will be replaced to eliminate the possibility of oil reaching the brake booster.
## 613 On certain vehicles, the air bag sensor wiring pigtail insulation may become brittle and crack over time due to water accumulation in the protective convolute combined with high under hood temperatures and routing of the pigtail near the radiator. This could result in the air bag warning light illuminating and disabling of the air bag. Correction; Air bag sensors with revised wiring insulation will be installed. Also, vehicles which have the air bag warning light illuminated will have a new air bag diagnostic monitor installed if required.
## 614 On certain vehicles, the front air brake hoses can contact the inner fender extensions and eventually chafe through to the point of rupture. This would result in a partial brake system failure and increased stopping distances, which could result in a vehicle crash. Correction; A portion of the inner fender extension will be cut out and the front brake hoses will be inspected for chafing and replaced if necessary.
## 615 NOTE; VEHICLES EQUIPPED WITH ROCKWELL WABCO SYSTEM SAVER 1000 AIR DRYERS.IN AIR BRAKE SYSTEMS REQUIRING A LARGE VOLUME OF AIR TO PASS THROUGH THE DRYER IN A SHORT PERIOD OF TIME, THE DRYER CANNOT REMOVE ALL OF THE MOISTURE FROM THE AIR. IN A COLD ENVIRONMENT THIS MOISTURE MAY FREEZE AND EFFECTIVELY BLOCK THE AIR LINES DOWNSTREAM OF THE DRYER RESULTING IN AN AIR PRESSURE BUILD UP IN THE DRYER. THIS AIR PRESSURE MAY EVENTUALLY CAUSE THE DRYER CARTRIDGE TO SEPARATE FROM THE DRYER. THE SEPARATED CARTRIDGE MAY CAUSE BODILY INJURY TO ANYONE STANDING NEAR THE DRYER AT THE INSTANT OF SEPARATION. CORRECTION; PRESSURE RELIEF VALVES WILL BE INSTALLED IN THE DRYER OUTLET PORTS ON THE AFFECTED VEHICLES.
## 616 On certain motorcycles, the weld attaching the fender mount to the front fork may crack and break. This could cause the fender to come into contact with the wheel, resulting in the rider losing control and increasing the risk of a crash. Correction; Since Indian Motorcycles is no longer in business, no correction is available.
## 617 THESE VEHICLES MAY NOT COMPLY WITH CMVSS 1103 - EXHAUST EMISSIONS. VEHICLES WITH 3.8 L ENGINES.
## 618 THE LEFT FRONT BRAKE LINE MAY CONTACT THE TRANSAXLE MOUNTING BRACKET OR ATTACHMENT BOLT. THIS CONDITION CAN CAUSE THE BRAKE LINE TO WEAR THROUGH, RESULTING IN LOSS OF BRAKE FLUID AND AN EVENTUAL HALF SYSTEM BRAKE FAILURE. THIS WOULD INCREASE STOPPING DISTANCES AND COULD RESULT IN A VEHICLE CRASH WITHOUT PRIOR WARNING.CORRECTION; BRAKE LINES WILL BE REPOSITIONED WHERE NECESSARY. THOSE BRAKE LINES FOUND TO HAVE AN INDENTATION CAUSED BY CONTACT WILL BE REPLACED AND PROPERLY ROUTED.
## 619 IMPROPER DEPTH OF THE PARK BRAKE CAM LEVER SOCKET MAY CAUSE PREMATURE WEAR IN THE SOCKET. PREMATURE WEAR CAN REDUCE THE HOLDING POWER OF THE PARKING BRAKE WHICH CAN LEAD TO THE PARKING BRAKE RELEASING PREMATURELY WITHOUT PRIOR WARNING, ALLOWING THE VEHICLE TO ROLL, RESULTING IN A POSSIBLE CRASH. CORRECTION; STEEL FLAT WASHERS WILL BE INSTALLED IN THE SOCKET FOR PROPER SUPPORT OF THE PARK BRAKE CAM.
## 620 On certain vehicles, the front passenger seat occupant detection mat can fatigue during field usage depending on the seat configuration, vehicle geometry, manner and frequency of front passenger entry/exit. Over time micro cracks could develop in the side flanks of the mat, which could lead to a break of the conductive path and the system will recognize a failure and with exception of head protection system the front passenger air bag will be deactivated. The airbag On/Off lamp will be illuminated to make the occupants aware of the deactivation. Correction; The occupant detection mat will be granted a warranty extension of 10 years.
## 621 ON S-SERIES TRUCKS EQUIPPED WITH HYDRAULIC BRAKES AND ELECTRIC ENGINE SHUTOFF AND CARGOSTAR TRUCKS EQUIPPED WITH HYDRO-MAX HYDRAULIC BRAKES, THE BRAKES MAY FAIL DUE TO AN ELECTRICAL FAILURE FROM THE MAIN POWER FEED OF THE ALTERNATOR. THIS IS A COMMON POWER SOURCE FOR THE ENGINE AND THE ELECTRIC MOTOR FOR THE BRAKE BACK-UP SYSTEM. ELECTRICAL FAILURE COULD RESULT IN A NEAR NO-BRAKE SITUATION AND CAUSE THE VEHICLE TO CRASH WITHOUT PRIOR WARNING. CORRECTION; SEPARATE ENGINE AND BRAKE BACK-UP CIRCUITS WILL BE PROVIDED.
## 622 ON S-SERIES TRUCKS EQUIPPED WITH HYDRAULIC BRAKES AND ELECTRIC ENGINE SHUTOFF AND CARGOSTAR TRUCKS EQUIPPED WITH HYDRO-MAX HYDRAULIC BRAKES, THE BRAKES MAY FAIL DUE TO AN ELECTRICAL FAILURE FROM THE MAIN POWER FEED OF THE ALTERNATOR. THIS IS A COMMON POWER SOURCE FOR THE ENGINE AND THE ELECTRIC MOTOR FOR THE BRAKE BACK-UP SYSTEM. ELECTRICAL FAILURE COULD RESULT IN A NEAR NO-BRAKE SITUATION AND CAUSE THE VEHICLE TO CRASH WITHOUT PRIOR WARNING. CORRECTION; SEPARATE ENGINE AND BRAKE BACK-UP CIRCUITS WILL BE PROVIDED.
## 623 1978 VEHICLES EQUIPPED WITH SIX CYLINDER ENGINES. VEHICLES ARE EQUIPPED WITH DEFECTIVE EXHAUST GAS RECIRCULATION (EGR) VALVES WHICH ALLOWS THE VEHICLES TO EMIT OXIDES OF NITROGEN IN EXCESS OF THE LEVELS PRESCRIBED BY CANADA SAFETY STANDARD 1103 - EXHAUST EMISSIONS.
## 624 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will replace the front driver airbag inflator.
## 625 MEDIUM AND HEAVY DUTY TRUCKS EQUIPPED WITH EATON ANTI-LOCK AIR BRAKE SYSTEM. THE PISTON IN THE ANTI-LOCK RELAY VALVES MAY EXPAND WHEN EXPOSED TO CERTAIN FLUID CONTAMINATES WHICH MAY BE FOUND IN THE AIR BRAKE SYSTEM. EXPANDED PISTONS CAN STICK OR JAM IN THE VALVES AND PREVENT AIR DELIVERY TO THE BVRAKE CHAMBERS CAUSING A LOSS OF BRAKING POWER ON THE AFFECTED AXLE. THIS CONDITION WOULD RESULT IN LONGER STOPPING DISTANCES.
## 626 On certain vehicles, a defect in the ignition switch could allow the switch to move out of the run position if the key ring is carrying added weight and the vehicle goes off-road or is subjected to some other jarring event. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may result in the airbags not deploying, increasing the risk of injury. Correction; Dealers will replace the ignition switch. Note; Until the correction is performed, all items should be removed from the key ring. Note; This is an expansion of recall 2014-038.
## 627 CERTAIN UNDER-HOOD HOSE AND TUBING COMPONENTS (PRIMARILY COOLANT HOSES) CAN FAIL. UNINTENDED RELEASE OF FLUIDS SUCH AS ENGINE COOLANT, WINDSHIELD WASHER FLUID, AND AUTOMATIC TRANSMISSION FLUID CAN LEAD TO CONDITIONS WHICH CAN CAUSE A VEHICLE FIRE.CORRECTION; A SERIES OF MODIFICATIONS WILL BE MADE TO SEVERAL UNDER-HOOD COMPONENTS TO ELIMINATE THE RELEASE OF SUCH FLUIDS AND IMPROVE THE VEHICLES RESISTANCE TO UNDER-HOOD FIRE.
## 628 THE BRAKE FLUID LINES MAY BE INCORRECTLY ROUTED RESULTING IN THE LINES RUBBING OR CHAFING ON THE FENDER SPLASH SHIELD BRACKET. THIS CONDITION COULD RESULT IN A COMPLETE LOSS OF SERVICE BRAKES.
## 629 VEHICLES EQUIPPED WITH POWER BRAKES. GASOLINE VAPOR MAY CONDENSE IN THE POWER BRAKE BOOSTER AT TEMPERATURES OF O DEGREES FARENHEIT OR LOWER. THIS CONDITION CAN CAUSE THE BRAKE RUBBER DIAPHRAM TO DETERIORATE AND RUPTURE DURING BRAKE APPLICATION RESULTING IN UNEXPECTED LOSS OF POWER ASSISTED BRAKING.
## 630 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit, and replace the Parker single check valve.
## 631 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 632 Certain vehicles may not comply with Canada Motor Vehicle Safety Standard 208 - Occupant Protection in Frontal Impacts. Prescribed text may have been omitted from the airbag warning label in the French language only. As a result, the French-language warning label is more restrictive than the English. Correction; No corrective recall action is required as this technical non-compliance is deemed to be non-safety related.
## 633 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 634 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 635 On certain vehicles, an intermittent short circuit in the air bag initiator wire that occurs between 1.5 to 1.7 seconds after vehicle start-up (or key on) may lead to an inadvertent air bag deployment. This short is caused by an unprotected metal sharp edge where the clockspring wire passes through the lower instrument panel. Correction; An electrical diagnostic check will be performed and any short circuits will be repaired. In addition, a mastic patch will be added to the lower instrument panel to prevent chafing of the clockspring wire. If the air bag warning light is illuminated due to a rear wiper motor short circuit condition, the shorted motor will be disconnected and the fuse replaced.
## 636 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 637 LADA NIVA AND 1500S VEHICLES. ALL VEHICLES MAY CONTAIN AT LEAST ONE OF THE FOLLOWING NON-COMPLIANCE ITEMS; CMVSS 101 - ADD DEFROSTER IDENTIFICATION CMVSS 105 - ADD AUTOMATIC BRAKE WARNING LIGHT FUNCTION CMVSS 108 - ADD REAR REFLEX REFLECTORS CMVSS 207 - PROVIDE WARNING ABOUT FORWARD ADJUSTMENT OF THE SEAT CMVSS 209 - PROVIDE NEW SET OF INSTRUCTIONS ON SEAT BELT USE AND MAINTENANCE
## 638 THE WRONG HITCH PIN CLIPS MAY HAVE BEEN USED ON VEHICLES EQUIPPED WITH ASF SIMPLEX FIFTH WHEELS. THIS COULD PERMIT MISPOSITIONING AND SUBSEQUENT LOSS OF THE PIN WHICH COULD RESULT IN SEPARATION OF THE FIFTH WHEEL FROM ITS MOUNTING BASE WITH A POSSIBLE VEHICLE CRASH. CORRECTION; AMERICAN STEEL FOUNDRIES WILL CORRECT ALL SUSPECTED VEHICLES. DETAILS TO BE SUPPLIED AT A LATER DATE.
## 639 VEHICLES EQUIPPED WITH CERTAIN EIGHT CYLINDER ENGINES. THE EXHAUST GAS RECIRCULATION (E.G.R.) BACKPRESSURE TRANSDUCER TUBE MAY CRACK CAUSING EXCESSIVE LEAKAGE IN THE BACKPRESSURE SENSING CIRCUIT AND INCREASED EMISSIONS OF NITROGEN OXIDES. ALSO, ON SOME VEHICLES, AN IMPROPER E.G.R. PORTED VACUUM SWITCH CAN CAUSE SIMILAR INCREASES IN EMISSIONS OF NITROGEN OXIDES. THESE VEHICLES MAY NOT COMPLY WITH CANADA MOTOR VEHICLE SAFETY STANDARD 1103 - EXHAUST EMISSIONS.
## 640 On certain vehicles, the driver occupant restraint system does not comply with the requirements of CMVSS 208 - Occupant Crash Protection. The manufacturer changed the driver restraint system to utilize a common driver airbag with other Dodge vehicle applications. This change required a modification to the occupant restraint control module calibration. The change was not properly coordinated and a small number of vehicles were built with the improper combination of driver airbag and airbag control module. Correction; Dealers will replace the occupant restraint control module.
## 641 UNDER CERTAIN CONDITIONS, AN INCORRECTLY PROGRAMMED ABS/TC (ANTI-LOCK BRAKE/TRACTION CONTROL) COMPUTER COULD RESULT IN A FAILURE TO RELEASE REAR BRAKE LINE PRESSURE. WHEN BRAKING, THIS CAN CAUSE FRONT BRAKE OPERATION ONLY AND REAR BRAKE DRAG. CORRECTION; ABS/TC COMPUTER WILL BE INSPECTED AND REPLACED IF NECESSARY. ANY BRAKE DAMAGE WILL ALSO BE REPAIRED.
## 642 MODELS EQUIPPED WITH HEAVY DUTY DOUBLE PSITON POWER FRONT DISC BRAKES MAY HAVE FRONT BRAKE CALIPER ASSEMBLIES WITH ONE OF THE TWO CALIPER HOUSING MOUNTING BOLTS IMPROPERLY TORQUED DURING SUBASSEMBLY BY THE SUPPLIER. AN UNTORQUED MOUNTING BOLT COULD BACK OFF IN SERVICE AND RESULT IN INCREASED BRAKE PEDAL TRAVEL SO THAT THE DRIVER WOULD BE INCLINED TO PUMP THE BRAKE PEDAL. REPEATED PUMPING OF THE PEDAL WHEN ONE END OF THE CALIPER HOUSING REMAINS FIXED BY A PROPERLY TORQUED BOLT AND THE BELT ON THE OPPOSITE END IS LOOSE CAN RESULT IN A LOSS OF FRONT WHEEL BRAKING.
## 643 On certain school and transit buses, the Parker single check valve (SCV) that connects with the supply port of the Bendix SR-7 spring brake modulating valve may become excessively worn and eventually break apart. Pieces of the Parker SCV can become lodge inside the SR-7 valve, possibly causing either leakage out of the SR-7 valve or preventing air from properly exhausting from the SR-7 valve. This condition can cause a delay in the application of the parking brakes, the spring brakes not fully releasing or loss of isolation between the primary and secondary circuits. These conditions can occur without warning, leading to unintended vehicle rollaway, brake drag, or in case of loss of primary circuit, inability to modulate the spring brakes. An unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will replace the single check valve (SCV).
## 644 On certain vehicles, a retaining pin, used to secure the lower clevis pin on the debris body hoist cylinder, may not have been installed during assembly. This can cause the clevis pin to work out, which could allow the debris body to tip over backwards, possibly resulting in property damage, personnel injury or death. Correction; Dealers will inspect and, if necessary, install cotter pins on the lower cylinder clevis pin.
## 645 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 646 On certain vehicles, a software programming error exists in the integrated electronic instrument cluster. Under certain circumstances, the red Electronic Brake Distribution (EBD) warning light will not illuminate. As a result, if a problem existed with the brake system and the vehicles use was continued, loss of vehicle control and a crash could occur. Correction; Dealer will reprogram the instrument cluster.
## 647 On certain vehicles, the sliding side-door rear latch might have been replaced in service with a latch that was improperly riveted. In the event of a vehicle crash, the door may not perform as required and increased injuries could occur. Correction; Dealers will replace the sliding door rear latch.
## 648 On certain motorcycles, operation on roads where salt has been used, may result in partial or complete separation of the front brake pads from their backing plates. Separation of the pads would impair brake performance. Correction; Front brake pads will be replaced with pads utilizing a different bonding method in manufacture.
## 649 THE SECONDARY HOOD LATCH MECHANISM MAY CORRODE AND SEIZE DUE TO IMPROPER LUBRICATION. IF THE SECONDARY HOOD LATCH WAS NOT PROPERLY ENGAGED AND THE PRIMARY HOOD LATCH WAS ALSO NOT ENGAGED, THE HOOD COULD FLY OPEN WHILE THE VEHICLE WAS IN MOTION RESULTING IN IMPAIRED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS AND DEALERS WILL BE ADVISED BY MAIL OF CORRECT MAINTENANCE PROCEDURES FOR THE HOOD LATCH MECHANISM.
## 650 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 651 CORROSION DUE TO ROAD SALT MAY PREVENT THE HOOD LATCH AND THE SAFETY CATCH FROM WORKING PROPERLY. THIS COULD RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION RESULTING IN OBSCURED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS OF AFFECTED VEHICLES WILL BE ADVISED BY MAIL REGARDING THE NECESSITY FOR PERIODIC LUBRICATION OF THE ENGINE HOOD LATCH MECHANISM. DEALERS WILL BE ADVISED TO LUBRICATE THE ENGINE HOOD MECHANISM WHENEVER AN AFFECTED VEHICLE IS BEING SERVICED.
## 652 CORROSION DUE TO ROAD SALT MAY PREVENT THE HOOD LATCH AND THE SAFETY CATCH FROM WORKING PROPERLY. THIS COULD RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION RESULTING IN OBSCURED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS OF AFFECTED VEHICLES WILL BE ADVISED BY MAIL REGARDING THE NECESSITY FOR PERIODIC LUBRICATION OF THE ENGINE HOOD LATCH MECHANISM. DEALERS WILL BE ADVISED TO LUBRICATE THE ENGINE HOOD MECHANISM WHENEVER AN AFFECTED VEHICLE IS BEING SERVICED.
## 653 Certain trucks may experience unwanted temporary ABS activation at low speeds. If this occurred when minimum stopping distance was required, it could result in a vehicle crash. Correction; Dealers will replace the air brake ECU module and inspect the cable and wire for proper routing.
## 654 DUE TO JAMMING OF THE LOCK PIN OF THE KEY INTERLOCK SOLENOID, IT MAY BE POSSIBLE TO REMOVE THE IGNITION KEY EVEN WHEN THE SHIFT LEVER OF THE AUTOMATIC TRANSMISSION IS NOT IN THE PARK POSITION. UNDER SUCH A CONDITION, SHOULD A DRIVER FAIL TO MOVE THE SHIFT LEVER TO THE PARK POSITION AND ALSO FAIL TO ACTIVATE THE PARKING BRAKE BEFORE LEAVING THE VEHICLE ON A SLOPE, THE VEHICLE COULD ROLL AWAY DOWN THE SLOPE.CORRECTION; KEY INTERLOCK SOLENOID WILL BE REPLACED.
## 655 On certain vehicles, specific operating conditions (such as tight, successive, highly banked curves in opposite directions], could trigger unintended Electronic Stability Control (ESC) system intervention. As a result, the ESC may unnecessarily apply one of the front brakes in order to correct the perceived oversteer condition. This may cause the vehicle to deviate from the intended path, thereby increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ESC module.
## 656 On certain vehicles, due to a defect in the restraint control module programming, deployment of the side curtain airbags may be delayed in certain rollover circumstances, which could increase the risk of injury to vehicle occupants. Correction; Dealers will reprogram the restraint control module.
## 657 Certain vehicles do not comply with either CMVSS 105, or CMVSS 135. The red brake warning indicator will not be illuminated while the ABS is modulating the front brakes. Correction; Since this does not pose any safety risk, no corrective action is required.
## 658 NOTE; VEHICLES EQUIPPED WITH ROCKWELL WABCO SYSTEM SAVER 1000 AIR DRYERS.IN AIR BRAKE SYSTEMS REQUIRING A LARGE VOLUME OF AIR TO PASS THROUGH THE DRYER IN A SHORT PERIOD OF TIME, THE DRYER CANNOT REMOVE ALL OF THE MOISTURE FROM THE AIR. IN A COLD ENVIRONMENT THIS MOISTURE MAY FREEZE AND EFFECTIVELY BLOCK THE AIR LINES DOWNSTREAM OF THE DRYER RESULTING IN AN AIR PRESSURE BUILD UP IN THE DRYER. THIS AIR PRESSURE MAY EVENTUALLY CAUSE THE DRYER CARTRIDGE TO SEPARATE FROM THE DRYER. THE SEPARATED CARTRIDGE MAY CAUSE BODILY INJURY TO ANYONE STANDING NEAR THE DRYER AT THE INSTANT OF SEPARATION. CORRECTION; PRESSURE RELIEF VALVES WILL BE INSTALLED IN THE DRYER OUTLET PORTS ON THE AFFECTED VEHICLES.
## 659 NOTE; VEHICLES EQUIPPED WITH 2.5 LITRE ENGINES.THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS.CATALYSTS AND OXYGEN SENSORS MAY BE DEFECTIVE.CORRECTION; CATALYTIC CONVERTER AND OXYGEN SENSOR WILL BE REPLACED WITH REDESIGNED COMPONENTS.
## 660 Certain vehicles may not comply with Canada Motor Vehicle Safety Standard 208 - Occupant Protection in Frontal Impacts. Prescribed text may have been omitted from the airbag warning label in the French language only. As a result, the French-language warning label is more restrictive than the English. Correction; No corrective recall action is required as this technical non-compliance is deemed to be non-safety related.
## 661 THESE VEHICLES MAY EXHIBIT A BACKFIRE DURING ENGINE STARTING THAT CAN CAUSE BREAKAGE OF THE UPPER INTAKE MANIFOLD. THIS CAN CAUSE A NO-START CONDITION AND POSSIBLY AN ENGINE COMPARTMENT FIRE. ALSO, IF A PERSON WAS IN THE VICINITY OF THE INTAKE MANIFOLD WHEN THE HOOD WAS OPEN, AND THIS BACKFIRE CONDITION OCCURRED, IT COULD RESULT IN PERSONAL INJURY.CORRECTION; THE PCM (POWERTRAIN CONTROL MODULE) WILL BE REFLASHED WITH NEW PROGRAMMING SOFTWARE.
## 662 THE TWO HALVES OF THE BRAKE BOOSTER MAY HAVE BEEN IMPROPERLY JOINED DURING MANUFACTURE. IT IS POSSIBLE THAT THESE HALVES COULD SEPARATE UNDER A HEAVY BRAKE APPLICATION, RESULTING IN DIMINISHED BRAKING POWER WITH THE RISK OF AN ACCIDENT. CORRECTION; VEHICLES WILL BE INSPECTED AND BRAKE BOOSTER UNITS WILL BE REPLACED IF NECESSARY.
## 663 On certain vehicles, the mounting ring loops on rear shock absorbers may fail, allowing one end of the shock absorber to separate from its mounting. This could allow the shock absorber to contact and damage other components such as brake lines and/or tires, which could affect vehicle stability and/or braking performance, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will inspect both rear shock absorbers and replace those found to be suspect.
## 664 On certain motorcycles, the positive battery connector could contact the battery support and result in a short circuit. On vehicles with ABS, electrical current could be conducted over the front brake lines to the frame, thereby increasing brake line temperature and impairing front brake performance. In extreme cases, the current could melt a hold in an empty or low fuel tank. In the worst case, fuel leakage and/or fire could result. Correction; DPositive battery terminal extension will be removed and the positive cable will be attached directly to the battery with a bolt.
## 665 VEHICLES MAY HAVE BEEN MANUFACTURED WITH INSUFFICIENT CLEARANCE BETWEEN THE LEFT FRONT BRAKE LINE AND THE UPPER CONTROL ARM OF THE SUSPENSION. THIS LINE COULD BECOME DAMAGED DURING VEHICLE OPERATION AND COULD RESULT IN BRAKE FLUID LEAKAGE, REDUCED BRAKING EFFECTIVENESS AND INCREASED STOPPING DISTANCES.CORRECTION; DEALERS WILL INSPECT THE CLEARANCE BETWEEN THE BRAKE LINE AND THE UPPER CONTROL ARM AND IF THE CLEARANCE IS NOT ACCORDING TO SPECIFICATION, THE BRAKE LINE WILL BE REPLACED.
## 666 On certain vehicles, manufacturing defects in the front axle unitized hubs may cause premature spalling of the wheel bearings. This condition will lead to eventual breakdown of the bearing and potential loss of vehicle control amidst the presence of warning signals such as activation of ABS warning light, steering wheel vibration, brake drag, noise and vehicle pull. Correction; Dealer will replace both front wheel hubs.
## 667 THE TRANSMISSION SHIFT CONTROL LEVER MAY BREAK OFF AT THE TRANSMISSION. IF THE SHIFT LEVER FAILS, THE TRANSMISSION CANNOT BE SHIFTED, AND THE VEHICLE MAY BECOME A HAZARD OR OBSTRUCTION TO OTHER DRIVERS. CORRECTION; TRANSMISSION SHIFT CONTROL LEVERS WILL BE REPLACED.
## 668 THE TERMINAL THAT ATTACHES THE ENGINE TO BODY GROUND CABLE TO THE FRONT LOWER TIE BAR MAY FRACTURE RESULTING IN REDUCED VOLTAGE TO BODY GROUNDED ELECTRICAL COMPONENTS AND CAUSE ERRATIC OPERATION OF THE COMPONENTS.
## 669 Certain passenger vehicles equipped with automatic transaxles. These vehicles were assembled with an inadequate weld at the brake pedal pad to brake pedal actuator arm assembly. During braking, the brake pedal pad could separate from the brake pedal actuator arm. If this were to occur, the drivers foot could become dislodged from the pedal resulting in a loss of brake system application and a vehicle crash could occur. Correction; Dealers will inspect and if necessary replace the brake pedal assembly.
## 670 ON VEHICLES WITH 2.2 LITRE OR 2.5 LITRE EFI(NON-TURBO) ENGINE, THE VALVE COVER GASKET MAY LEAK OIL CREATING THE POTENTIAL FOR AN ENGINE COMPARTMENT FIRE. CORRECTION; VALVE COVER GASKET WILL BE REPLACED WITH A REVISED COVER AND RTV SEALANT APPLIED IN PLACE OF THE GASKET.
## 671 Certain vehicles do not comply with the requirements of CMVSS 201 - Occupant Protection. The console armrest latch will not withstand the vertical force requirements of the standard. In the event of a crash, the latch may open and the armrest or the contents of the console could injure an occupant. Correction; Console armrest latch will be replaced.
## 672 Certain motorcycles were built with a rear shock absorber that could break which could cause the underside of the vehicle to drag on the ground. This could adversely affect handling and result in a crash without prior warning. Correction; Dealers will install a shock reinforcement kit.
## 673 On certain vehicles equipped with a power liftgate system, the gas-filled struts (which help to raise and support the liftgate) may prematurely wear. These vehicles have a Prop Rod Recovery system intended to accomplish a controlled, slow return of the liftgate to the closed position if the liftgates gas struts are no longer capable of supporting the weight of the liftgate. The vehicle would provide audible warnings and flash the tail lamps to indicate there is a problem. However, the liftgates Prop Rod Recovery system software may be unable to detect/stop a liftgate with prematurely worn gas struts from falling too quickly after the liftgate is opened. This could allow the liftgate to drop suddenly, placing anyone beneath or near the gate at risk of injury. Correction; Dealers will reprogram the power liftgate actuator motor ECU with a new software and will verify power liftgate operation following the reprogram.
## 674 On certain vehicles equipped with a Caterpillar engine, the Variable Valve Actuation oil line (VVA line) used on 6 cylinder, 15L turbocharged and air-to-air aftercooled diesel engines may wear against the sharp edge of the cylinder head if not oriented correctly. Oil line wear may cause an oil leak and a potential fire hazard. Correction; Dealers will inspect and, if required, replace the VVA line.
## 675 On certain vehicles the low pressure brake fluid feed pipe between the master cylinder and remote reservoir has the potential to trap or retain air. This air could enter the master cylinder causing excessive pedal travel and partial failure of the primary circuit, increasing the risk of a crash. Correction; Dealers will replace both hoses and brake fluid reservoir.
## 676 Certain vehicles fail to comply with the requirements of CMVSS 121 - Emergency Stopping Distance. An internal control and check valve within the air brake application valve assembly was configured improperly, preventing air from flowing through the brake system as designed. In the event of an emergency stop, the vehicles stopping distance would be increased. Correction; Dealers will replace the air brake application valve assembly on C-Series vehicles and reroute the air brake lines on T-Series vehicles.
## 677 On certain vehicles, the relief valve o-ring seal within the brake hydro-boost module could fail. If this happens during braking applications, the driver may be able to hear an engine compartment noise similar to the sound that occurs when the steering wheel is turned to a full stop position. The driver could also experience a slight increase in steering efforts while braking and parking. Under certain driving conditions, a slight increase in the applied brake pedal effort may be required to achieve the same vehicle deceleration rate as prior to the seal failure. Correction; Dealers will inspect the hydro-boost module, and replace it, if necessary.
## 678 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 679 On certain vehicles, the brake booster input rod may have been installed without the retaining clip, or in some cases, with an improperly formed retaining clip. Should the input rod separate from the assembly it could lead to a loss of brakes, which could result in a vehicle crash causing property damage, personal injury or death. Correction; Dealers will install or replace the retaining clips.
## 680 Certain Focus Electric vehicles may experience a sudden loss of motive power while driving, which could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will reprogram the powertrain control module. Note; If this condition occurs, a red triangle and stop safety now message will be displayed in the instrument cluster. Power steering and brakes will continue to operate normally and the vehicle can often be restarted after going through a shutdown process.
## 681 On some vehicles, water ingress around the in-floor battery cover and door footwell trim could cause electrical circuit corrosion, potentially causing the engine to stall resulting in a loss of motive power and could also disable the airbags, turn signals, parking, stop and/or reverse lamps. These issues could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will apply sealer, relocate electrical components and apply dielectric grease as necessary.
## 682 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 683 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 684 On certain vehicles, a check valve in the brake vacuum pump may leak a small amount of lubricating oil. Over time, this could result in contamination of the brake booster. Loss of brake power assist could occur which, in conjunction with traffic, road conditions, and drivers reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the brake booster and master cylinder. Additionally, the brake vacuum line (including the check valve) will be replaced to eliminate the possibility of oil reaching the brake booster.
## 685 On certain vehicles, a check valve in the brake vacuum pump may leak a small amount of lubricating oil. Over time, this could result in contamination of the brake booster. Loss of brake power assist could occur which, in conjunction with traffic, road conditions, and drivers reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the brake booster and master cylinder. Additionally, the brake vacuum line (including the check valve) will be replaced to eliminate the possibility of oil reaching the brake booster.
## 686 ON VEHICLES WITH QUAD 4 ENGINES, THE FRONT FUEL FEED ASSEMBLY COULD CRACK OR SEPARATE AT THE COUPLING ON THE ENGINE END OF THE ASSEMBLY, ALLOWING FUEL TO LEAK INTO THE UNDERHOOD AREA. THIS WOULD CREATE THE POSSIBILITY OF AN ENGINE COMPARTMENT FIRE. CORRECTION; FRONT FUEL FEED HOSE ASSEMBLY WILL BE REPLACED ON AFFECTED VEHICLES.
## 687 On certain motorcycles, the proximity of the rear brake lamp switch to the exhaust system may induce heat into the brake switch that is beyond its temperature design limit. This could affect brake lamp function and/or cause a brake fluid leak through the switch. Failure of the brake lamp to illuminate when the brakes are applied may result in the following road users being unaware of the riders intentions, increasing the risk of a crash. Brake fluid leakage could result in the loss of rear brake function which, in conjunction with traffic and road conditions, and the riders reactions, could increase the risk of a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will replace the rear brake lamp switch with an updated version.
## 688 Certain vehicles fail to comply with the requirements of Canada Motor Vehicle Safety Standard 121 - Air Brake Systems. Incorrect brake linings were used on front drum brake assemblies fitted with large diameter tires (Static Load Radius of 20.5 - 21.5], rendering the vehicles noncompliant to the standard. This could result in inadequate braking, increasing stopping distances and increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will install new brake shoes with the correct linings.
## 689 VEHICLES WERE MANUFACTURED WITH A BOTT BRAKE PEDAL THAT MAY NOT WITHSTAND A PANIC OR SEVERE BRAKING APPLICATION. IF THE BRAKE PEDAL SHOULD FAIL, THE VEHICLE BRAKING CAPACITY WOULD BE GREATLY REDUCED AND MAY RESULT IN A VEHICLE CRASH.
## 690 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment during a crash where deployment is warranted, increasing the risk of personal injury to the seat occupant. Correction; Dealers will replace the passenger airbag. Note; This is an expansion of recall 2013148.
## 691 On certain vehicles the low pressure brake fluid feed pipe between the master cylinder and remote reservoir has the potential to trap or retain air. This air could enter the master cylinder causing excessive pedal travel and partial failure of the primary circuit, increasing the risk of a crash. Correction; Dealers will replace both hoses and brake fluid reservoir.
## 692 On certain motorcycles, a screw securing the brake pedal may become loose, allowing the brake pedal to move out of position and disabling the rear brake. This could increase stopping distances and increase the risk of a crash causing injury and/or property damage. Correction; Dealers will install a replacement screw.
## 693 Certain vehicles may develop increased electrical resistance in the intermediate connector for the seat-mounted side airbags. As a result, the airbags may not function as intended, causing the instrument panel warning lamp to illuminate. Failure of the side airbags to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will change the mounting location of both side airbag intermediate connectors and add epoxy to prevent movement inside the connectors.
## 694 Certain CF6000, CF7000 and CF8000 vehicles do not comply with CMVSS 121 - air brake systems. Switches may not actuate the service reservoir low pressure warning buzzers and lights at all pressures below 60 psi. Correction; Vehicles will be inspected and switches will be replaced if required.
## 695 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 106 - BRAKE HOSES (BURST STRENGTH).
## 696 VEHICLES EQUIPPED WITH 2.9 LITRE E.F.I.,V6 ENGINES, THERE IS A POSSIBILITY THAT A NYLON FUEL LINE ON THE FUEL RETURN SIDE OF THE FUEL PRESSURE REGULATOR ASSEMBLY MAY CRACK AND LEAK FUEL. IN THE PRESENCE OF AN IGNITION SOURCE, THE POTENTIAL FOR FIRE WOULD EXIST.
## 697 On certain vehicle equipped with Fontaine light weight fixed position fifth wheels, the fifth wheel mounting plate may develop a crack in the area where the legs of the fifth wheel are welded to the base plate. This could result in eventual trailer separation. Correction; Fifth wheel base plate will be inspected and if a crack is found, the base plate will be replaced.
## 698 On certain vehicles, in hot ambient conditions, the accelerator pedal arm may stick at the attachment to the bracket and not return to the engine idle position when the operator removes the actuating force from the accelerator pedal. If the accelerator pedal does not return to the engine idle position, the throttle valve will not close, which may result in an increased stopping distance. Correction; Dealers will inspect the accelerator pedal arm and, if necessary, replace the accelerator and brake pedal assembly.
## 699 On certain vehicles, excessive enlargement of a pilot hole in the rear backing plate could allow the wheel cylinder to rotate possibly leading to loss of rear braking action.
## 700 On certain vehicles, a defect in the ignition lock cylinder could cause the key to stick in the start position if the vehicle interior temperature is sufficiently high. If the vehicle is operated in this condition and the interior temperature cools or the vehicle goes off-road or is subjected to some other jarring event, the key could move out of the start position, rotate past the run position and into the accessory position. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; Dealers will inspect the steering column for identifying information and replace if necessary.
## 701 VEHICLES WITH 350, 400 OR 455 - 4 BARREL CARBURETOR ENGINES. A BRAZED JOINT ON CERTAIN EXHAUST GAS RECIRCULATION (E.G.R.) BACKPRESSURE TRNASDUCER VALVES MAY SEPARATE AND CAUSE THE REDUCTION OF E.G.R. VACUUM. THESE VEHICLES DO NOT COMPLY WITH CANADA MOTOR VEHICLE SAFETY STANDARD 1103 - EXHAUST EMISSIONS.
## 702 On certain vehicles, the airbag warning lamp may illuminate due to an electrical fault within the Occupant Restraint Control (ORC) module. As a result, the Active Head Restraints (AHR) may not deploy during a rear impact collision (where deployment is warranted], which could increase the risk of personal injury to the front seat occupants. Correction; Dealers will reprogram the Totally Integrated Power Module (TIPM) or replace the ORC module, as required.
## 703 On certain vehicles, the StabiliTrak System may have been incorrectly calibrated during the manufacturing process. As a result, the system may not properly detect a malfunctioning sensor, and the warning lamp (indicating that the system is not operating) may not illuminate. Failure to properly diagnose a malfunctioning sensor may cause the Electronic Control System (ESC) to falsely activate, resulting in sudden changes in vehicle handling and deceleration, particularly at higher speeds, which may cause the driver difficulty in maintaining the vehicles desired path of travel and speed. This could result in a crash causing property damage and/or personal injury. Correction; Dealers will reprogram the electronic brake control module.
## 704 PIERREVILLE FIRE TRUCKS ON FORD C-900 CHASSIS. WHEN RELOCATING THE HYDRAULIC BRAKE VACUUM BOOSTER THE DIFFERENTIAL VALVE WAS PLACED BETWEEN THE VACUUM BOOSTER AND THE WHEEL CYLINDERS. THIS VLAVE MUST BE BETWEEN THE MASTER CYLINDER AND THE VACUUM BOOSTER. IN ADDITION, THE BRAKE WARNING LIGHT WIRE WAS CUT DURING THE MODIFICATION. IN THE EVENT OF FLUID LOSS AND SUBSEQUENT BRAKE FAILURE THERE WOULD BE NO WARNING TO THE DRIVER.
## 705 PIERREVILLE FIRE TRUCKS ON FORD C-900 CHASSIS. WHEN RELOCATING THE HYDRAULIC BRAKE VACUUM BOOSTER THE DIFFERENTIAL VALVE WAS PLACED BETWEEN THE VACUUM BOOSTER AND THE WHEEL CYLINDERS. THIS VLAVE MUST BE BETWEEN THE MASTER CYLINDER AND THE VACUUM BOOSTER. IN ADDITION, THE BRAKE WARNING LIGHT WIRE WAS CUT DURING THE MODIFICATION. IN THE EVENT OF FLUID LOSS AND SUBSEQUENT BRAKE FAILURE THERE WOULD BE NO WARNING TO THE DRIVER.
## 706 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 707 On certain vehicles, the front passenger seat occupant detection mat can fatigue over time. As a result, the passenger airbag could deactivate, illuminating the airbag warning lamp and the passenger airbag ON/OFF lamp. Failure of the passenger airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Vehicles will receive special extended warranty coverage of 10 years from first registration. Under this special coverage program, vehicles which experience this condition will have the occupant detection mat replaced.
## 708 THE DRIVER AND/OR PASSENGER SEAT BELT BUCKLE ASSEMBLY MAY GET ENTRAPPED BETWEEN THE ENGINE TUNNEL AND THE SEAT MECHANISM. ADJUSTING THE SEAT FORWARD AND/OR REARWARD COULD CAUSE THE TETHER OF THE BUCKLE ASSEMBLY TO FRAY. THIS COULD RESULT IN TETHER FAILURE DURING A SUDDEN VEHICLE DECELERATION CREATING THE POTENTIAL FOR PERSONAL INJURY.CORRECTION; BUCKLE ASSEMBLIES WITH TETHER CABLE WILL BE REPLACED ON AFFECTED VEHICLES.
## 709 THE AXLE RETAINING C CLIP IN THE DIFFERENTIAL MAY DISLODGE AND ALLOW THE AXLE, WHEEL AND BRAKE DRUM TO SEPARATE FROM THE VEHICLE WHEN SUBJECTED TO SIDE FORCES. AXLE SEPARATION COULD RESULT IN LOSS OF VEHICLE CONTROL AND POSSIBLE CRASH.
## 710 THE THROTTLE RETURN SPRINGS ON THE SUBJECT VEHICLES EQUIPPED WITH CUMMINS, DETROIT DIESEL ENGINES MAYU NOT RETURN THE ENGINE THROTTLE TO THE IDLE POSITION WITHIN THE TIME LIMITS APECIFIED BY CANADA MOTOR VEHICLE SAFETY STANDARD 124 - ACCELERATOR CONTROL SYSTEM. THIS CONDITION MAY CAUSE A MOMENTARY LOSS OF CONTROL OF THE VEHICLE UNDER EMERGENCY CONDITIONS.
## 711 On certain vehicles, a defect in the ignition lock cylinder could cause the key to stick in the start position if the vehicle interior temperature is sufficiently high. If the vehicle is operated in this condition and the interior temperature cools or the vehicle goes off-road or is subjected to some other jarring event, the key could move out of the start position, rotate past the run position and into the accessory position. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; Dealers will inspect the steering column for identifying information and replace if necessary.
## 712 Certain vehicles fail to conform to Canada Motor Vehicle Safety Standard (CMVSS) 102 Transmission Control Functions, and CMVSS 114 Theft Protection and Rollaway Prevention. A fractured park lock cable, or a defective steering lock module, may have been installed during vehicle assembly. This could allow the driver to shift out of PARK with the key in the OFF position or removed from the ignition. As well, the transmission may be shifted out of PARK without first depressing the brake pedal. The key may also be rotated to the OFF position and removed while the shifter is not in PARK. These issues could result in unintended vehicle movement, which could cause a crash resulting in property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the steering column assembly.
## 713 On certain vehicles equipped with carbon ceramic brakes, the brake rotor fixing screws may fail. This could result in reduced braking performance, which could increase stopping distances and increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will replace the screws with an updated design.
## 714 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 715 VEHICLES EQUIPPED WITH 5.0 LITRE (302 C.I.D.) FOR 5.8 LITRE (351-W C.I.D.) ENGINES. THE FLEXIBLE BLADE ENGINE COOLING FAN MAY HAVE ONE OR MORE OF THE FIVE FLEXIBLE FAN BLADES IMPORPERLY RIVETED TO THE FAN SPIDER. ONE OR MORE FAN BLADES COULD SEPARATE FROM THE SPIDER, WEHICLES EQUIPPED WITH 5.0 LITRE (302 C.I.D.) FOR 5.8 LITRE (351-W C.I.D.) ENGINES. THE FLEXIBLE BLADE ENGINE COOLING FAN MAY HAVE ONE OR MORE OF THE FIVE FLEXIBLE FAN BLADES IMPORPERLY RIVETED TO THE FAN SPIDER. ONE OR MORE FAN BLADES COULD SEPARATE FROM THE SPIDER, WITHOUT WARNING, DAMAGING UNDERHOOD COMPONENTS.
## 716 VEHICLES EQUIPPED WITH AUTOMATIC OVERDRIVE TRANSMISSIONS. VEHICLES MAY BE EQUIPPED WITH A DEFECTIVE NEUTRAL START SWITCH WHICH COULD ALLOW THE ENGINE STARTER MOTOR TO BE ACTIVATED WHEN THE TRANSMISSION IS IN THE REVERSE~ GEAR POSITION. THESE VEHICLES DO NOT COMPLY WITH CANADA MOTOR VEHICLE SAFETY STANDARD 102 - TRANSMISSION SHIFT CONTROL SEQUENCE.
## 717 On certain four-wheel drive vehicles, the joint portion of the front driveshaft may contain small cracks. These cracks may eventually lead to a failure, resulting in separation of the front driveshaft. If the driveshaft failed while the vehicle was moving, a loud noise would be heard. If the vehicle were in 2WD mode, the driveshaft would come to rest on the frame cross-member, and the vehicle could be operated normally. The driveshaft would not come in contact with brake, steering or fuel system components, therefore the risk of a crash is considered minimal. Correction; Dealers will inspect the vehicle and replace the front driveshaft if necessary.
## 718 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 719 On certain vehicles, the primary stage of the drivers airbag may not deploy during a crash (where deployment is warranted). Failure of an airbag to deploy correctly could increase the risk of personal injury to the seat occupant. Correction; Dealers will replace the steering wheel airbag coil.
## 720 THE COMPOSITE CONSTRUCTION FRONT BRAKE ROTORS ON THESE VEHICLES MAY CORRODE, WEAKEN AND FRACTURE, RESULTING IN A REDUCTION OF BRAKING PERFORMANCE. SUCH A FRACTURE WOULD RESULT IN LOSS OF BRAKING AT THE CORRESPONDING FRONT WHEEL WHICH COULD IN TURN RESULT IN INCREASED STOPPING DISTANCE AND A POSSIBLE CRASH. CORRECTION; FRONT BRAKE ROTORS WILL BE REPLACED.
## 721 Certain vehicles may contain brake fluid that does not inhibit corrosion, which could cause corrosion to form in the anti-lock brake (ABS) module. This could result in longer brake pedal travel and/or reduced brake performance, vehicle instability and a rear wheel lock condition, which may increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect the ABS module and, if necessary, replace the module. Dealers are to also change the brake fluid and provide a supplement to the Owner Manual that instructs customers to use only GM recommended brake fluid.
## 722 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 723 On certain vehicles, inadequate hood cylinder dampening may allow the hood to be opened with too much force. Once the cylinders reach full extension, this lack of dampening could cause them to separate from the hood, allowing the hood to keep tilting forward, possibly injuring its operator or a bystander. Correction; Dealers will replace the hood restraint cylinders.
## 724 UNFAVORABLE TOLERANCES IN THE HYDRAULIC BRAKE PRESSURE REDUCTION VALVE MAY LEAD TO REAR WHEEL LOCK-UP. THIS COULD RESULT IN A POSSIBLE CRASH. CORRECTION; A MODIFIED HYDRAULIC BRAKE PRESSURE VALVE WILL BE INSTALLED ON AFFECTED VEHICLES.
## 725 IF THE ACCELERATOR LINKAGE PRIMARY RETURN SPRING SHOULD BECOME DISCONNECTED, THE SECONDARY THROTTLE RETURN SPRING WILL NOT EXERT SUFFICIENT FORCE TO COMPLETLY CLOSE THE THROTTLE WITH THE TIME LIMITS SPECIFIED BY C.M.V.S.S. 124 - ACCELERATOR CONTROL SYSTEMS. SHOULD THE DEFECT OCCUR THE DRIVER MAY HAVE TO APPLY THE BRAKES AND/OR SWITCH OFF THE IGNITION TO AVOID AN ACCIDENT. 12 GTL SEDAN - R-1174-9131400 TO 9132739 12 STW - R-1224-9631000 TO 9632330 15 GTL - R-1308-7720000 TO 7720508 17 GTL - R1328-3793000 TO 3793342
## 726 On certain vehicles, the sound deadener material internal to the air bag clock spring may detach rendering the air bag inoperative. Correction; Dealers will replace the clockspring.
## 727 On certain vehicles, a check valve in the brake vacuum pump may leak a small amount of lubricating oil. Over time, this could result in contamination of the brake booster. Loss of brake power assist could occur which, in conjunction with traffic, road conditions, and drivers reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the brake booster and master cylinder. Additionally, the brake vacuum line (including the check valve) will be replaced to eliminate the possibility of oil reaching the brake booster.
## 728 On certain vehicles, a check valve in the brake vacuum pump may leak a small amount of lubricating oil. Over time, this could result in contamination of the brake booster. Loss of brake power assist could occur which, in conjunction with traffic, road conditions, and drivers reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the brake booster and master cylinder. Additionally, the brake vacuum line (including the check valve) will be replaced to eliminate the possibility of oil reaching the brake booster.
## 729 NOTE; VEHICLES EQUIPPED WITH TRACTION CONTROL.WHEN THE WINDSHIELD WIPERS ARE TURNED ON, THE WINDSHIELD WIPER LINKAGE ARM MAY CONTACT A BRAKE LINE CONNECTED TO THE TRACTION CONTROL SYSTEM (TCS) MODULATOR. THIS COULD RESULT IN BRAKE FLUID LEAKAGE, REDUCED BRAKING EFFECTIVENESS AND INCREASED STOPPING DISTANCES.CORRECTION; A BRAKE LINE CLIP WILL BE INSTALLED WHICH WILL ASSURE PROPER CLEARANCE. ADDITIONALLY, VEHICLES WILL BE INSPECTED FOR BRAKE LINE DAMAGE CAUSED BY THIS CONDITION AND DAMAGED BRAKE LINES WILL BE REPLACED.
## 730 SOME OF THESE VEHICLES EQUIPPED WITH AIR BRAKES AND ANTI-LOCK BRAKE SYSTEMS MAY EXHIBIT BRAKE CONTROL ELECTRICAL HARNESS CHAFING. THIS MAY CAUSE GROUNDING OF THE HARNESS (WHICH PROVIDES POWER TO THE FRONT BRAKE MODULATOR VALVES) AND A SHUT OFF OF THE ABS FEATURE WITH THE FOUNDATION BRAKES STILL FUNCTIONING. HOWEVER, OTHER WIRES IN THE HARNESS WHEN GROUNDED, WILL RESULT IN NO AIR REACHING ONE OR BOTH OF THE FRONT BRAKE CHAMBERS. RESULTING REDUCTION OF BRAKING CAPABILITY COULD CAUSE INCREASED STOPPING DISTANCES AND A CRASH. IN EITHER INSTANCE, ELECTRICAL GROUNDING WILL CAUSE A DASH PANEL WARNING LIGHT TO ILLUMINATE.CORRECTION; DEALERS WILL INSPECT FOR CHAFING AND PROPER ROUTING OF THE WIRING HARNESS AND REPAIR IF NECESSARY.
## 731 ON VEHICLES WITH A MANUALLY ADJUSTED DRIVERS SEAT, THE METAL FLOOR PAN ANCHOR BAR COULD FATIGUE AND BREAK AROUND THE LEFT FRONT OUTER SEAT ADJUSTER STUD. THIS COULD ALLOW THE STUD TO SEPARATE FROM THE ANCHOR BAR AND CAUSE THE DRIVERS SEAT TO TIP REARWARD UNEXPECTEDLY, RESULTING IN POSSIBLE LOSS OF CONTROL AND VEHICLE CRASH WITHOUT PRIOR WARNING. CORRECTION; A REINFORCEMENT BRACKET WILL BE INSTALLED ON THE FLOOR PAN ANCHOR BAR.
## 732 Certain vehicles equipped with an Automatic Transfer Case may have a condition in which an electric signal short may cause the transfer case to switch to neutral without operator input. The transfer case mode selection knob would still indicate the last selected drive mode, but the driver would not have any feedback that the transfer case is in neutral. If the transfer case switches to neutral while the vehicle is in motion, the driver would experience a loss of motive power and, if the vehicle is parked without the parking brake applied, the vehicle could roll away. Both scenarios could result in a crash causing injury and/or damage to property. Correction; Dealers will re-program the software of the Transfer Case Control Module.
## 733 THE TUBULAR GRABHANDLE FOR CAB INGRESS/EGRESS IS HELD IN PLACE BY THREE BRACKETS AT TOP, MIDDLE AND BOTTOM OF THE TUBE. THE CENTRE BRACKET CONTAINS A RIVET WHICH SECURES THE TUBE IN THE BRACKET. THE DEFECT OCCURS IF THE RIVET IS NOT IN THE PROPER ALIGNMENT, WHICH RESULTS IN SMALL GAP BETWEEN THE RIVET HEAD AND THE BRACKET. THIS COULD ALLOW A RING FINGER TO BE CAUGHT IN THE GAP AND RESULT IN INJURY TO A PERSON GETTING OUT OF THE CAB.
## 734 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS. PLUGGED CHOKE VACUUM DELAY VALVE. NOTE; VEHICLES EQUIPPED WITH 2.2 LITRE CARBURETED ENGINES.
## 735 On certain vehicles, a leak in one or both Quick Release Valves (QRV) could occur. The first QRV is located in the lift axle air lines. A leak in that QRV would affect the rate at which the tag/pusher axle is lowered/lifted. A catastrophic failure of the QRV would result in a rapid drop of a raised tag axle, which could cause serious injury or death to a person working under or near the axle. The second QRV is in the park brake air lines. A leak would release pressure on the park brake springs; if the leak is large enough, the pressure would drop and set the brakes on the rear axle, which could result in a loss of vehicle control and a crash, causing property damage, personal injury or death. Correction; Dealers will inspect and, if necessary, replace the quick release valves.
## 736 On certain motorcycles, the drive pin(s) used on the front brake rotor could move out of position and come in contact with the front brake caliper. This condition could prevent the front wheel from rotating and result in a possible vehicle crash without prior warning. Correction; New drive pin kits will be installed on affected vehicles.
## 737 On certain K1500, Astro, Safari and Suburban vehicles, corrosion of the composite front brake rotors could cause separation of the stamped steel centre section from the cast outer rotor resulting in complete loss of braking capability for the affected wheel and a partial loss of front braking. This would increase stopping distances and could result in a crash without prior warning. Correction; Dealers will replace both front brake rotors with rotors having a corrosion protective coating.
## 738 On certain Golf, GTI, Jetta, Jetta wagon, New Beetle, New Beetle convertible, Passat and Passat wagon, the brake lamp switch may malfunction. If this happens, the brake lamps could become inoperative; or could come on and stay on, even though the vehicle is parked. Correction; Dealers will replace the brake lamp switch with a newly revised version. This action includes vehicles previously affected by Transport Canada recall 03-184 and 04-075. The switch installed during this prior repair may not function properly. Note; parts available December 2006.
## 739 On certain vehicles, a control valve in the vacuum hose connecting the brake booster to the intake manifold may not open or close fully at temperatures below -4 degrees F. This condition could cause insufficient vacuum to be provided to the brake booster resulting in possible loss of power brake assist. Correction; A vacuum by-pass system will be installed on affected vehicles.
## 740 On certain vehicles, an inconsistent brake feeling may be perceived after ABS actuation during slow and steady application of the brakes on rough or slick road surfaces and stopping distances may be increased compared to expectation for a given pedal force. Increased brake distance in a case of emergency may result in a crash causing property damage or personal injury. Dealers will rewrite the programming of the ABS control Unit.
## 741 THESE VEHICLES WERE BUILT WITH A FOOT CONTROLLED BRAKE VALVE THAT MAY, IF A COMBINATION OF CONDITIONS OCCUR, MALFUNCTION BY ALLOWING AIR PRESSURE TO BYPASS THE CONTROL PISTON O RING. IF PRESENT, THESE CONDITIONS MAY, WITHOUT WARNING, CAUSE OVERLY AGGRESSIVE VEHICLE BRAKING DURING NORMAL BRAKE APPLICATIONS RESULTING IN THE POTENTIAL FOR A VEHICLE CRASH. CORRECTION; ACTUATION PLUNGER UNDER BRAKE PEDAL WILL BE REPLACED AS WELL AS THE FLOOR MOUNTED BRAKE VALVE MOUNTING PLATE AND PEDAL MOUNTING BRACKET UNDER VALVE.
## 742 On certain trucks the fitting that connects the double check valve to the rear axle air brake relay valve may break. If the fitting breaks the rear service brakes will cease to operate, resulting in an extended stopping distance, possibly resulting in a collision.
## 743 THE AIR BAG SENSOR ON THESE VEHICLES MAY MALFUNCTION AND CAUSE THE AIR BAG RESTRAINT SYSTEM TO DEPLOY WITHOUT AN IMPACT OR ACCIDENT. DEPLOYMENT OF THE AIR BAG RESTRAINT SYSTEM WITHOUT WARNING COULD CAUSE A DRIVER TO LOSE CONTROL OF THE VEHICLE.CORRECTION; AIR BAG SENSOR CONTROL MODULE WILL BE REPLACED ON AFFECTED VEHICLES.
## 744 THE CIRCUIT DESIGN IN THE AIR BAG ELECTRONIC CONTROL MODULE MAY ALLOW THE POTENTIAL FOR INADVERTENT AIR BAG DEPLOYMENT UPON VEHICLE IGNITION SHUT DOWN. CORRECTION; THE AIR BAG ELECTRONIC CONTROL MODULE WILL BE REPLACED WITH A MODULE THAT INCORPORATES THE LATEST PRODUCTION REDESIGNED CIRCUIT TO PREVENT THIS CONDITION.
## 745 On certain vehicles, the chassis electronic module may have been contaminated at time of manufacture, which could cause an electrical short to occur within the module. This could cause the vehicles check engine light to be displayed, or cause the engine to fail to start or stall, resulting in a loss of motive power. If the vehicle is equipped to support electric trailer brakes, the vehicle could also lose trailer brake function and display a Service Trailer Brake System indicator. These issues could increase the risk of a crash resulting in injury and/or damage to property. Correction; Dealers will replace the module with a revised part.
## 746 Certain vehicle configuration which includes an AG400 rear suspension, long stroke brake chambers, and wide base tires may develop an increase in lateral and vertical axle movement. This movement may cause part or parts of the brake assembly to develop fatigue cracks, possibly resulting in the failure of part or parts within the brake assembly. A failure may reduce vehicle brake performance, increasing the risk of a crash causing personal injury or death. Correction; Dealers will affect repairs.
## 747 Owners of affected vehicles operated in severe/high road salt use areas of Ontario, Quebec and the Atlantic provinces will receive a Toyota advisory letter. This letter will include a free-of-charge vehicle undercarriage wash and inspection. Subsequently, owners will be advised of any services, if applicable.
## 748 VEHICLES EQUIPPED WITH 2.2 LITRE PROPANE FUELLED ENGINES MAY EXPERIENCE CORROSION OF THE FILL AND OUTAGE (80% FILL LEVEL) FITTINGS AT THE FILL VALVE. IN THE PRESENCE OF AN IGNITION SOURCE, A FIRE OR EXPLOSION COULD RESULT. CORRECTION; SUSPECT VEHICLES WILL HAVE THE FILL AND OUTAGE HOSES REPLACED, AN IMPROVED SHIELD AND RUSTPROOFING APPLIED TO THE FITTINGS.
## 749 NOTE; VEHICLES EQUIPPED WITH 7.5 LITRE ENGINES.THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS. INCORRECT EGR VALVE.CORRECTION; EGR VALVE WILL BE REPLACED.
## 750 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 751 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes recalls 2013113, 2014224 and 2015197. Correction; All vehicles having not received a replacement inflator as part of the previous recall will now have a replacement inflator installed by dealers.
## 752 On certain trucks equipped with Bendix ATR-6 Antilock Traction Relay valves, in extremely cold conditions (at or below -18 degrees Celsius], internal ATR valve leakage can occur. This could cause unintended brake application, which could overheat the affected brakes and cause a fire. Also, in certain low traction conditions, unexpected brake application can cause a loss of vehicle control and a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will update the cover assembly on the ATR valves.
## 753 On certain vehicles equipped with a 3.6L engine, debris in the cylinder block (from the manufacturing process) could cause connecting rod bearing and crankshaft bearing damage. As a result, abnormal engine performance may be noticed, and in some cases the engine could fail. Engine failure would result in lost vehicle propulsion which, in conjunction with traffic and road conditions, and driver reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the engine assembly.
## 754 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 755 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 756 On certain vehicles, the parking brake may release if the brake systems electronic control unit misinterprets signals generated from turning the ignition key more than once at a specific rate. The release of the parking brake may cause a sudden, unexpected shift in vehicle position, resulting in property damage, personal injury or death. Correction; Dealers will reprogram brake system electronic control unit.
## 757 NOTE; VEHICLES ORIGINALLY RETAILED IN ONTARIO, QUEBEC AND THE MARITIME PROVINCES.THE COMPOSITE FRONT DISC BRAKE ROTORS ON THESE VEHICLES MAY FAIL DUE TO CORROSION. THE CAST IRON WEAR SURFACE MAY SEPARATE FROM THE HUB REDUCING THE BRAKING EFFECTIVENESS OF THE VEHICLE. CORRECTION; FRONT COMPOSITE ROTORS WILL BE REPLACED WITH ONES HAVING A REVISED CORROSION PROTECTION COATING.
## 758 VEHICLES MAY HAVE INADEQUATE TORQUE ON THE RIGHT AND LEFT REAR BRAKE BACKING PLATE ATTACHMENT BOLTS TO WITHSTAND THE LOADS EXPERIENCED DURING RRUCK SHIPMENT. SHOULD THE BACKING PLATE BOLTS LOOSEN FROM THE SPINDLE DURING TRANSIT, BACKING PLATE MOVEMENT MAY CAUSE FATIGUE OF ONE OR BOTH REAR BRAKE TUBES RESULTING IN AL LOSS OF BRAKE FLUID.
## 759 Fiat Chrysler Automobiles (FCA) Canada is conducting a voluntary Safety Improvement Program involving Takata driver and/or passenger airbag inflators installed in certain vehicles that were originally sold or ever registered in certain high humidity areas of the United States. Fiat Chrysler Automobiles (FCA) will replace the driver and/or passenger inflator on affected vehicles, depending on the vehicle involved. Owners who believe their vehicles may have been originally purchased or registered in Florida, Hawaii, Puerto Rico, and the U.S. Virgin Islands should contact a Fiat Chrysler Automobile (FCA) dealer. This action is not being conducted under the requirements of the Motor Vehicle Safety Act.Note; This special service campaign was replaced by recalls 2015094 and 2015228. Please see these recalls for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015094>Click here for more information on the 2015094 recall</a><a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information on the 2015228 recall</a>
## 760 On certain P30 vehicles, the front left brake pipe may contact a power steering hose. This could cause the brake pipe to wear through resulting in loss of front braking. If this were to occur while the vehicle was in motion, a crash could occur without prior warning. Correction; dealers will install a new brake pipe with sufficient clearance to prevent contact.
## 761 Certain motorcycles were built with an isolator mount system that could lose clamp load. Should this condition occur, it may allow the engine to move unexpectedly within the frame and cause unintended distraction to the operator, which could result in an accident. Correction; Front isolator system will be replaced on affected vehicles.
## 762 VEHICLES EQUIPPED WITH 350 V-8 ENGINES AND AIR CONDITIONING. POSSIBLE RESONANCE CONDITION IN ENGINE FAN BLADE ASSEMBLY WILL FATIGUE BLADES AND CAUSE THEM TO BREAK APART. IF THIS OCCURS WHILE THE HOOD IS OPEN AND THE ENGINE IS RUNNING, FLYING FRAGMENTS COULD CAUSE INJURY TO PERSONS EITHER WORKING UNDER THE HOOD OR IN THE VICINITY.
## 763 Certain vehicles fail to comply with the requirements of CMVSS 135. Specifically, the WARNING; Clean filler cap before removing portion of the required statement on the brake fluid reservoir cap was omitted. Correction; Updated brake fluid reservoir caps will be mailed to vehicle owners along with installation instructions.
## 764 Certain vehicles were built with the polarity of the wiring for the zero adjust brake switch reversed from what was specified. Reversed polarity will cause the contacts of the switch to wear out prematurely. When the contacts wear out they will fail to close when the brake pedal is applied, resulting in the loss of the brake lamps without any warning to the driver. This could result in failure to warn a following driver that the vehicle is braking and could lead to a crash. Correction; Dealers will replace the brake switch and reverse the wiring.
## 765 NOTE; INCLUDES CROWN VICTORIA WITH POLICE PACKAGE AND TOWN CAR WITH LIMOUSINE PREP PACKAGE.THE REAR BRAKE BACKING PLATE ADAPTER FASTENERS MAY COME LOOSE AND SEPARATE. SHOULD THIS OCCUR, DAMAGE TO THE SERVICE BRAKE, PARKING BRAKE OR ABS COMPONENTS COULD RESULT. THIS COULD IN TURN DIMINISH SERVICE AND PARKING BRAKE CAPABILITY.CORRECTION; REAR BRAKE BACKING PLATE ADAPTER FASTENERS WILL BE REPLACED ON AFFECTED VEHICLES.
## 766 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 767 On certain vehicles, there may be an intermittent fault in the drivers airbag clockspring wiring connector for the Supplemental Restraint System (SRS). If this condition occurs, the SRS lamp will be permanently lit and the message AIRBAG SYSTEM SERVICE REQUIRED will be displayed in the drivers information module. If the condition occurs while driving, and if the driver ignores the warning and an accident occurs where the deployment of the drivers airbag is required, the airbag may not deploy as intended or may not deploy at all. Correction; Fealers will install a metal shim in the airbag clockspring wiring connector.
## 768 VEHICLES WITH 350, 400 OR 455 - 4 BARREL CARBURETOR ENGINES. A BRAZED JOINT ON CERTAIN EXHAUST GAS RECIRCULATION (E.G.R.) BACKPRESSURE TRNASDUCER VALVES MAY SEPARATE AND CAUSE THE REDUCTION OF E.G.R. VACUUM. THESE VEHICLES DO NOT COMPLY WITH CANADA MOTOR VEHICLE SAFETY STANDARD 1103 - EXHAUST EMISSIONS.
## 769 On certain vehicles, the following statements were omitted from the SIR caution label; Never put a rear-facing child seat in the front for the vehicles without an air bag switch or Never put a rear-facing child seat in the front unless air bag is off for vehicles with an air bag switch and Sit far back as possible from the air bag. The statements are printed in the Owners Manual. Correction; None required as instructions are in the owners manual and this is well known by the public.
## 770 On certain King Cab vehicles, wires routed through the rear doors and into the body may break due to over bending as the door is opened and closed. The affected wires control seatbelt pretensioners, the front passenger seatbelt tension sensor (part of the occupant classification system], and the rear audio speakers. If the wires for the seatbelt pretensioner and speaker break and make contact, a pretensioner may deploy. If this happens when the seatbelt is retracted, it will not be possible to use the seatbelt. If wires for the seatbelt tension sensor break, the passenger side front airbag will not deploy as designed in a frontal crash. Correction; Owners of vehicles with malfunctioning front outer seatbelt(s], malfunctioning rear audio speakers, or where the Supplemental Restraint System (SRS) indicator light is on are advised to bring their vehicle to a dealer for inspection. If there is a malfunction of the rear door wiring harness, the harness will be replaced. Note; This campaign follows recall 2006323 (Nissan R117) where dealers previously inspected and repaired or replaced the wiring.
## 771 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 772 On certain vehicles equipped with four-cylinder diesel engines, the timing chain tensioner gasket could fail, causing an oil leak. If the vehicle is operated in this condition, this could cause engine failure, which would result in a loss of motive power. Oil leaking onto hot engine surfaces could also increase the risk of a fire. These issues could increase the risk of injury and/or damage to property. Correction; Dealers will replace the timing chain tensioner gasket.
## 773 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 774 On certain vehicles, additional axles were installed to increase the gross vehicle weight capacity but the parking brake capacity was not increased accordingly therefore not complying with CMVSS 121 regulations. Correction; The dealer will perform repairs as necessary.
## 775 On certain vehicles, corrosion may occur in the ABS hydraulic unit due to a reaction between the brake fluid and the surface treatment of the internal valves. If this were to occur and the ABS hydraulic unit is activated, one or more of the valves could seize. This could result in longer brake pedal travel and increased stopping distances, which may increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will flush and clean the hydraulic unit by replacing the brake fluid with higher grade (DOT4) fluid. If module valve movement is determined to be poor, the ABS hydraulic unit will be replaced.
## 776 THE REAR BRAKE MASTER CYLINDER ON THESE VEHICLES CONTAINS A SEAL THAT IN CERTAIN SITUATIONS MAY MOVE OUT OF POSITION ON THE REAR MASTER CYLINDER PISTON. THIS WOULD RESULT IN LOSS OF REAR BRAKE PERFORMANCE. CORRECTION; MASTER CYLINDER ASSEMBLY WILL BE REPLACED ON AFFECTED VEHICLES.
## 777 THE REAR BRAKE MASTER CYLINDER ON THESE VEHICLES CONTAINS A SEAL THAT IN CERTAIN SITUATIONS MAY MOVE OUT OF POSITION ON THE REAR MASTER CYLINDER PISTON. THIS WOULD RESULT IN LOSS OF REAR BRAKE PERFORMANCE. CORRECTION; MASTER CYLINDER ASSEMBLY WILL BE REPLACED ON AFFECTED VEHICLES.
## 778 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 779 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 780 On certain vehicles, the right rear brake line may have been routed incorrectly and may come into contact with a rear subframe bracket, causing abrasion damage which could result in a brake fluid leak. This could increase stopping distances, possibly resulting in a crash causing injury and/or property damage. Correction; Dealers will inspect and reroute and/or replace the brake line, as necessary.
## 781 - FORD THUNDERBIRD TURBO COUPE - THE REAR AXLE SHAFT FLANGE MAY INTERFERE WITH THE DISC BRAKE ROTOR THEREBY PREVENTING PROPER SEATING OF THE ROTOR. AN IMPROPERLY SEATED ROTOR COULD IN TIME, RESULT IN REDUCTION OF THE WHEEL STUD CLAMPING FORCES AND COULD LEAD TO FRACTURED STUDS AND REAR WHEEL SEPARATION. CORRECTION; VEHICLES WILL BE INSPECTED AND REAR AXLE SHAFT AND REAR BRAKE ROTORS WILL BE REPLACED WHERE NECESSARY.
## 782 Fiat Chrysler Automobiles (FCA) Canada is conducting a voluntary Safety Improvement Program involving Takata driver and/or passenger airbag inflators installed in certain vehicles that were originally sold or ever registered in certain high humidity areas of the United States. Fiat Chrysler Automobiles (FCA) will replace the driver and/or passenger inflator on affected vehicles, depending on the vehicle involved. Owners who believe their vehicles may have been originally purchased or registered in Florida, Hawaii, Puerto Rico, and the U.S. Virgin Islands should contact a Fiat Chrysler Automobile (FCA) dealer. This action is not being conducted under the requirements of the Motor Vehicle Safety Act.Note; This special service campaign was replaced by recalls 2015094 and 2015228. Please see these recalls for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015094>Click here for more information on the 2015094 recall</a><a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information on the 2015228 recall</a>
## 783 NOTE; VEHICLES EQUIPPED WITH 2.3 LITRE ENGINE.IN SUB ZERO TEMPERATURES, MOISTURE FROM THE CRANKCASE VENTILATION SYSTEM COULD CAUSE ICE BUILDUP BEHIND THE THROTTLE BLADE THEREBY PREVENTING THE THROTTLE FROM RETURNING TO IDLE WHEN THE ACCERATOR PEDAL IS RELEASED. THIS COULD RESULT IN LOSS OF VEHICLE CONTROL.CORRECTION; AN ENGINE VENTILATION KIT WILL BE INSTALLED ON AFFECTED VEHICLES TO PREVENT MOISTURE ACCUMULATION IN THE CRANKCASE.
## 784 On certain vehicles, in the event of a collision that warrants a deployment of the curtain shield airbag (CSA], the force transmitted to the headliner as the airbag inflates may cause the left and/or right side second row overhead assist grip to detach from its mounting brackets if the temperature in the roof rail area is high from outside ambient temperature. If an assist grip were to completely detach, it could contact an occupant, which would increase the risk of injury in the event of a crash. Correction; Dealers will modify the headliner near the second row overhead assist grips.
## 785 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, replace the passenger airbag inflator. Note; This recall is an expansion of recall 2013111. Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 786 On certain vehicles, in the event of a collision that warrants a deployment of the curtain shield airbag (CSA], the force transmitted to the headliner as the airbag inflates may cause the left and/or right side second row overhead assist grip to detach from its mounting brackets if the temperature in the roof rail area is high from outside ambient temperature. If an assist grip were to completely detach, it could contact an occupant, which would increase the risk of injury in the event of a crash. Correction; Dealers will modify the headliner near the second row overhead assist grips.
## 787 THESE VEHICLES MAY EXPERIENCE, OVER ROUGH TERRAIN, A FATIGUE FAILURE OF THE RIGHT BRAKE PIPE AT THE CONNECTION.
## 788 On certain vehicles, intermittent electrical connection faults may cause the brake lamps to illuminate without the brake pedal being depressed, or not illuminate when the brake pedal is depressed. This could also interfere with cruise control, ABS and/or vehicle stability control function. Failure of the brake lights to illuminate when the brake pedal is depressed or erratic brake lamp function could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will affect repairs.
## 789 Certain Crown Victoria Police Interceptors, Crown Victoria commercial vehicles and Lincoln Town Car fleet vehicles. As opposed to civilian vehicles, the potentially affected vehicles typically input higher loads into the vehicle chassis, including the wheel bearings and axles, as a result of steering, suspension and tire design differences, as well as vehicle usage patterns and vehicle operating weight. The increased loading and/or weight these vehicles experience during their high duty cycles result in increased stress on the rear axle shafts and bearings. This may lead to early bearing failure and ultimately axle shaft fracture. In the event of axle shaft fracture, the vehicle would loose drive function and would coast to a stop. The wheel is likely to be retained in the wheel well by the brake caliper and brake rotor, and vehicle control is maintained. Correction; Dealers will replace rear wheel bearings, seals and axle shafts.
## 790 Certain passenger vehicles used extensively in track type racing events and subjected to aggressive driving conditions could experience cracks at the welds of the rear differential mounting bracket. The cracks could eventually lead to metal fatigue and dislodging of the differential mounting bracket from the frame of the vehicle. Separation of the differential mounting bracket could result in loss of vehicle control. Correction; All affected vehicles will have a field repair kit installed. Vehicles exhibiting cracks will require an additional weld repair prior to installation of the kit.
## 791 On certain vehicles operated in areas of heavy road salt usage, the front Crash Zone Sensor (CZS) may rust internally. This could result in the non-deployment of the driver and passenger front airbags during a vehicle crash, increasing the risk of personal injuries or death in certain crash conditions. Correction; Dealers will replace the Crash Zone Sensor.
## 792 On certain vehicles, the brake automatic slack adjuster pull pawl may not have been tightened to the specified torque. If this condition exists, the brake will lose further adjustment, and the affected wheel brake assembly will become ineffective. Correction; The slack adjuster pull pawl will be tightened to the specified torque at all wheel/brake locations.
## 793 VEHICLES EQUIPPED WITH C-6 AUTOMATIC TRANSMISSIONS. SOME AUTOMATIC TRANSMISSIONS HAVE PARK ACTUATION CAM SUPPORT PLATES THAT MAY BREAK DUE TO IMPROPER HEAT TREATMENT. FRAGMENTS FROM THE BROKEN PLATE CAN PREVENT THE PARKING PAWL FROM ENGAGING WHEN THE SELECTOR LEVER IS PLACED IN THE PARK (P) POSITION OR MAY PREVENT THE PARK GEAR FROM DISENGAGING. THIS DEFECT MAY ALLOW A PARKED VEHICLE TO ROLL FREE IF THE MANUAL PARKING BRAKE HAS NOT BEEN ENGAGED.
## 794 THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S. 214 - SIDE DOOR STRENGTH.THERE MAY BE MIS-LOCATED WELDS AT THE JOINT BETWEEN THE LEFT ROCKER PANEL INNER REINFORCEMENT AND THE BODY SIDE RING. IN THE EVENT OF A VEHICLE CRASH, THE SHEET METAL STRUCTURE MAY NOT PERFORM AS DESIGNED. THIS COULD RESULT IN REDUCED LEVELS OF OCCUPANT PROTECTION.CORRECTION; VEHICLES WILL BE INSPECTED FOR MIS-LOCATED WELDS AND, IF NECESSARY, UP TO FIVE WELDS WILL BE PLACED BETWEEN THE INVOLVED PANELS.
## 795 On certain vehicles operated in areas of heavy road salt usage during winter months, a mixture of snow/water and salt may enter an assembly location hole in the upper strut housing, causing water to collect at the mating surface of the strut housing panel and the inner hood ledge assembly. Over time, this snow/water and salt intrusion may result in corrosion of the strut tower housing structure. If the vehicle continues to be driven in this condition, the strut housing may crack and pull away from the inner hood ledge assembly. Should the strut housing separate and contact the steering column upper shaft, the steering shaft could break. A loss of steering control could result in a crash causing property damage and/or personal injury. Correction; Dealers will inspect the strut housing and, if no corrosion or only minor surface corrosion is present, an anti-corrosion seal will be applied. If moderate corrosion is present, resin patches will be applied in addition to the sealant. If there is evidence of more significant corrosion, a metal reinforcement plate will be used to reinforce the strut housing assembly. In instances where it is impossible to repair the vehicle, Nissan will provide an appropriate remedy.
## 796 THE FUEL HOSE ATTACHED TO THE FUEL DISTRIBUTION RAIL, LOCATED IN THE ENGINE COMPARTMENT, MAY NOT BE ADEQUATELY CLAMPED. THIS COULD LEAD TO FUEL SEEPAGE AT THE HOSE CONNECTION. ESCAPING FUEL COULD COME INTO CONTACT WITH HOT ENGINE COMPONENTS AND POSSIBLY CAUSE AN ENGINE COMPARTMENT FIRE. CORRECTION; FUEL HOSE ATTACHED TO THE FUEL RAIL WILL BE REPLACED AND EXISTING HOSE CLAMPS WILL BE REPLACED WITH A NEW SPRING TYPE HOSE CLAMP.
## 797 On some motorcycles, small stones or other road debris could become trapped between the brake pedal and brake pedal cover. This could cause the rear brake, and on some 2010 to 2012 models (ZG1400C; Concours14 ABS) both front and rear brakes, to drag and overheat. This could lead to brake damage, wheel lockup or braking system failure, possibly resulting in a crash causing property damage and/or personal injury. Correction; Dealers will remove the brake guard and replace the master cylinder rod end. Note; This recall supersedes recall 2009012.
## 798 ENGINE SUPPORT BRACKET MAY DEVELOP CRACKS DUE TO A DEFICIENCY IN MATERIAL PROPERTIES. COMPLETE FRACTURE COULD CAUSE THE ENGINE TO DROP DOWN INTO THE RADIATOR, DAMAGING THE SHROUD, ENGINE FAN AND OTHER APPROXIMATE PARTS AND PULL ENGINE THROTTLE INTO FULL GOVERNED POSITION THEREBY IMPAIRING VEHICLE CONTROL.
## 799 On certain vehicles, insufficient clearance between the stop lamp switch wiring harness and the steering column support bracket may allow the harness to contact the bracket. The resultant chafe damage could, over time, cause an electrical short circuit, which may prevent the stop lamps from illuminating when the brakes are applied. It may also interrupt electrical power supply to the Engine Control Unit (ECU], causing the engine to stall. Failure of the brake lamps to illuminate when the brakes are applied may result in the following road users being unaware of the drivers intentions, increasing the risk of a crash. Engine stalling would result in lost vehicle propulsion which, in conjunction with traffic and road conditions, and the drivers reactions, could increase the risk of a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, repair the wiring harness. A harness protector will also be added to prevent future contact.
## 800 On certain vehicles, the push rod that connects the brake pedal to the brake valve was manufactured incorrectly and may break under certain loading conditions. If this push rod breaks while the vehicle is in operation, a significant loss of service braking may be experienced. This could result in a vehicle crash without warning, possibly resulting in property damage, personal injury or death. Correction; Dealers will replace the brake pedal push rod.
## 801 On certain motorcycles, the screws holding the side stand switch may loosen and fall out due to engine heat and vibration. If this happens, the side stand switch will not function correctly, making it possible to ride the motorcycle with the side stand in the down position. If a side stand in the down position were to hit the ground during a turn, loss of control and a vehicle crash could occur. Correction; Screws holding the side stand switch will be replaced with a combination of bolts and nuts which will hold the switch securely.
## 802 On certain vehicles, The chassis electrical harness and air brake lines may not have been properly secured at the crossmember. This could cause the electrical cables and air lines to fall down and get twisted in the driveline. This could affect safety systems such as brakes, increasing stopping distances or causing unintended parking brake application. This could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will inspect and repair the vehicle as needed.
## 803 Certain vehicles may have a drivers side airbag inflator that could fracture at a weld during a deployment. Pieces of the inflator could strike and injure vehicle occupants and the airbag cushion would not inflate fully, reducing the capacity of the bag to protect the driver. Correction; Dealers are to inspect and if necessary replace the driver side airbag module assembly.
## 804 On certain vehicles, the software of the ABS control unit (ECU) is incomplete. The software required to initiate the illumination of the red BRAKE warning lamp during the check of lamp function, when the ignition switch is turned to the ON position, when the engine is not running, is not included. This could result in the driver not being aware that the lamp is inoperative, and the light not illuminating to notify the driver when the brake fluid pressure or fluid level is too low, which could increase the risk of a crash. Correction; Dealers will reprogram the ABS control unit.
## 805 TRUCKS EQUIPPED WITH MACK ENDT (B) 676, ETAZ (B) 673A AND ETAY (B) 673A ENGINES WITH AIRESEARCH TV6103 TURBO-CHARGERS. IN SOME INSTNACES OF TURBOCHARGER COMP[RESSOR WHEEL FAILURE THE CAPSCREWS RETAINING THE COMPRESSOR BACK PLATE MAY BE STRUCK BY PART OF THE COMP-RESSOR WHEEL. HTIS CAN RESULT IN THE CAPSCREWS BEING STRETCHED OR SHEARED, ALLOWING THE BACKPLATE TO DISLOCATE AND PRESSURIZED ENGINE OIL TO CONTACT THE HOT TURBOCHARGER TURBINE HOUSINGS AND/OR ENGINE EXHAUST MANIFOLD SECTIONS, THUS CREATING A POTENTIAL FOR ENGINE COMPARTMENT FIRE.
## 806 On certain vehicles, the Anti-lock Brake System / Vehicle Dynamic Control (ABS/VDC) actuator was assembled with more than one ball bearing in the valve. This could cause fluid flow to be blocked, resulting in a reduction in brake force in one or both front wheels. This could increase the vehicles stopping distance and cause a crash with injury or death. Correction; Dealers will replace the ABS/VDC actuator. Note; All vehicles were captured before retail sale.
## 807 THE FOOT CONTROLLED BRAKE VALVE IN THE AUXILIARY OPERATING STATION MAY HAVE BEEN IMPROPERLY PLUMBED (AIR LINES CROSS- CONNECTED). IF THERE IS A SERVICE BRAKE AIR LINE FAILURE IN EITHER THE A OR B SYSTEM AIR SUPPLY, THE CROSS PLUMBING OF AIR LINES MAY RESULT IN LOSS OF AUXILIARY OPERATION STATION BRAKE CONTROL. THIS COULD RESULT IN A VEHICLE ACCIDENT.CORRECTION; AIR BRAKE SYSTEM WILL BE TESTED AND AIR LINES FOUND TO BE CROSS PLUMBED WILL BE DISCONNECTED AND PROPERLY RECONNECTED.
## 808 ON VEHICLES EQUIPPED WITH THE SUPPLEMENTAL RESTRAINT SYSTEM, AN ELECTRICAL PLUG ON THE AIR BAG MODULE MAY HAVE AN INSUFFICIENT PUSH/PULL FORCE. IF THIS IS THE CASE, THE AIR BAG MAY NOT DEPLOY IN A MAJOR ACCIDENT. CORRECTION; AIR BAG UNIT WILL BE EXCHANGED FOR ONE WITH AN INTEGRAL CONNECTOR.
## 809 On certain vehicles, while cornering under conditions where Electronic Stability Program (ESP) activation may not be needed, a sensitive ESP may cause the engine to reduce power and the brake at one of the wheels to be applied without brake pedal application by the driver. This may cause the vehicle to slow and may affect the path that the vehicle is traveling. Brake application caused by inadvertent ESP activation may result in a crash. Correction; Dealers will reprogram the ESP Hydraulic Electronic Control Unit (HECU).
## 810 The electronic monitoring system of the Sensotronic Brake Control (SBC) is designed to monitor the pressure gradient within the high pressure line of the brake system. If an unacceptable pressure gradient is detected, the system will switch, as it is designed to do, into the hydraulic function mode. DaimlerChrysler AG has determined that in certain instances, if vehicles are not routinely serviced and have extremely high mileage combined with a high number of brake actuations or a high brake actuation frequency, the pump motor of the SBC may run out of permissible tolerances, thereby triggering the hydraulic function mode. Correction; Dealers will re-program the SBC hydraulic unit. A software update will provide a clear maintenance notice on the vehicle display and assure continuous pump speed operation within tolerances.
## 811 On certain vehicles, the front brake calipers could leak brake fluid. This could cause longer brake pedal travel and increased stopping distances, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will inspect and if necessary replace the front brake calipers.
## 812 POSSIBLE CARBURATION HESITATION WHEN RESTARTING THE VEHICLE WITH A HOT ENGINE AND DRIVING AWAY FROM THE PARKING POSITION. THE HESITATION IS CAUSED BY GASOLINE VAPORIZATION IN THE UPPER LEVEL CHANNEL OF THE CARBURETOR.
## 813 On certain vehicles, the double check valve disc incorporated into the brake manifold dash valve can become brittle over time and crack. If this condition exists and there is a single point failure in either the primary or secondary air system, loss of all service braking could result without warning with the potential for a vehicle crash. Correction; Manifold dash valve will be replaced.
## 814 Certain vehicles may have been manufactured with an incorrect synchronization valve. If the driver were to release the park brake without first firmly applying the service brake, the park brake could subsequently engage unexpectedly while the vehicle is in motion, at any speed. An unintended park brake application without brake light illumination would result, which could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will install a park brake synchronization valve which will prevent the application of the park brake under those circumstances.
## 815 VARIOUS MALUFNCTIONS OF THE SERVICE BRAKES ANTI-LOCK COMPUTER MODULE SYSTEM CAN OCCUR WHEN THE MODULE IS SUBJECTED TO HIGH OUTPUT RADIO FREQUENCY ENERGY DURING RADIO TRANSMISSION OF ONBOARD TRUCK MOUNTED TWO-WAY RADIOS. MALFUNCTIONS KNOWN, RANGE FROM ILLUMINATION OF NO APPARENT EFFECT ON THE VEHICLE BRAKING SYSTEM, TO A MOMENTARY LOSS OF BRAKE EFFECTIVENESS ON ONE OR MORE AXLES. THE DEFECT CAN CAUSE VEHICLE CRASH IF RADIO TRANSMISSION IS MADE DURING BRAKE APPLICATION.
## 816 Certain motorcycles may experience an unintended activation of one of the fuel injectors by the engine control unit (ECU). This could result in the engine either not starting, or if already running normally, may lose ignition to one cylinder (caused by excessive fuelling], which would lead to a loss of vehicle propulsion which, in conjunction with traffic and road conditions, and the riders reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ECU.
## 817 On certain vehicles, the length of the rear wheel hub mounting bolts may prevent proper actuation of the park brake. This could allow unintended movement of the vehicle under certain conditions and cause a crash without warning. Correction; Dealers will replace the rear wheel hub mounting bolts and brake cable equalizer, and adjust the park brake system.
## 818 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2015-003. Correction; Dealers will replace airbag inflators. All vehicles having received a replacement inflator as part of the previous special service campaign will have a replacement inflator installed.
## 819 On certain vehicles, the front passenger airbag diffusor may not have been properly secured to the diffusor frame at time of assembly. This could affect airbag deployment, and potentially increase the risk of injury in a crash. Correction; Dealers will replace the front passenger airbag.
## 820 On certain vehicles, rear backing plate corrosion may result in wheel cylinder rotation and possible loss of rear brakes with resultant increase in stopping distances. Correction; External wheel cylinder retainers will be installed. Backing plates will be inspected for rust-through and should this condition exist, a new backing plate and wheel cylinder assembly will be installed.
## 821 A SMALL NYLON BUSHING IN THE CRUISE CONTROL SERVO BAIL (BRACKET) MAY SLIP OUT OF PLACE RESULTING IN POSSIBLE INTERMITTENT INCREASES IN ENGINE SPEED OR DIESELING. THIS CONDITION COULD ALSO CAUSE THE SERVO ROD ASSEMBLY TO WEAR THROUGH THE BALL AND CATCH ON OTHER COMPONENTS POSSIBLY RESULTING IN A STUCK THROTTLE. THIS COULD RESULT IN LOSS OF VEHICLE CONTROL AND A POSSIBLE CRASH. CORRECTION; A BUSHING KIT WILL BE INSTALLED ON THE CRUISE CONTROL SERVO BAIL.
## 822 CRACKS MAY DEVELOP IN THE MOUNTING SURFACE AREA OF AEROQUIP MAXI II 30/36 SPRING PARKING BRAKE CHAMBERS POSSIBLY LEADING TO FRACTURE OF THE CHAMBER HOUSING IN THE AREA OF THE STUDS. SUBSQUENTLY, THE CHAMBER COULD SEPARATE FROM THE VEHICLE IF THE CHAMBER PUSH ROD CLEVIS WERE TO SEPARATE FROM THE SLACK ADJUSTER AND THE AIR HOSE FITTINGS AT THE CHAMBER WERE TO FRACTURE. A DETACHED CHAMBER COULD PRESENT A ROAD HAZARD TO OTHER VEHICLES AND THE REMAINING SPRING BRAKES ON THE VEHICLE WOULD APPLY AS AIR PRESSURE DECREASED.CORRECTION; BRAKE CHAMBERS WILL BE REPLACED WITH CHAMBERS OF A DIFFERENT DESIGN.
## 823 On certain vehicles, rear backing plate corrosion may result in wheel cylinder rotation and possible loss of rear brakes with resultant increase in stopping distances. Correction; External wheel cylinder retainers will be installed. Backing plates will be inspected for rust-through and should this condition exist, a new backing plate and wheel cylinder assembly will be installed.
## 824 THE AIR BAG MODULE INITIATOR ASSEMBLIES MAY BE MISSING SOME REQUIRED INITIATOR COMPONENTS. THIS WILL PREVENT THE AFFECTED AIR BAG FROM DEPLOYING WHEN REQUIRED.CORRECTION; A REPLACEMENT MODULE WAS INSTALLED ON THIS VEHICLE.
## 825 Certain vehicles may have been built with a power steering hose that is not to specification. Under extreme steering manoeuvres, such as turning the steering wheel fully to the left or right while braking, the hose may fracture and leak fluid. If this were to occur, power steering assist would be lost and increased steering effort would be required. On vehicles equipped with hydro-boost power brakes, it could also result in loss of power brake assist and increase braking effort would be required. If power steering fluid were to spray onto hot engine parts, an engine compartment fire could occur. Correction; Dealers will inspect the power steering hose(s) for two suspect date codes and replace them if required.
## 826 On certain vehicles equipped with an anti-lock brake system (ABS], the high pressure hose may leak or detach due to inadequate crimping of the hose-to-end fittings. This condition could result in loss of brake power assist and a possible increase in stopping distances. Correction;(526) ABS high pressure hose will be replaced with a hose of different design and construction. (527) four hundred and twenty six of the identified mini vans will also have the ABS pump casting inspected for porosity. Leaking pumps, if found, will be replaced.
## 827 On certain vehicles, the automatic slack adjuster anchor brackets can fail due to fatigue fracture and completely separate, causing the slack adjusters to function as manual slack adjusters. If the support bracket for an automatic slack adjuster fails, the brakes at that wheel end will not automatically adjust. As the brake linings wear, the vehicle will have reduced braking capacity, increasing the risk of a crash. Correction; Dealers will install a new bracket on each suspect slack adjuster.
## 828 THE CONNECTION BETWEEN THE ACCELERATOR PEDAL AND THE THROTTLE CONTROL CABLE CAN BECOME BROKEN CAUSING A LOSS OF CONTROL OVER ENGINE SPEED.
## 829 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 830 On certain vehicles, the chassis electronic module may have been contaminated at time of manufacture, which could cause an electrical short to occur within the module. This could cause the vehicles check engine light to be displayed, or cause the engine to fail to start or stall, resulting in a loss of motive power. If the vehicle is equipped to support electric trailer brakes, the vehicle could also lose trailer brake function and display a Service Trailer Brake System indicator. These issues could increase the risk of a crash resulting in injury and/or damage to property. Correction; Dealers will replace the module with a revised part.
## 831 On certain trucks, an incorrect cruise control deactivation switch may have been installed during vehicle assembly. The switch may not disengage the cruise control when the brakes are applied. This could result in a vehicle crash causing personal injury or death. Correction; Dealers will inspect and, if required, replace the cruise control switch.
## 832 CORROSION DUE TO ROAD SALT MAY PREVENT THE HOOD LATCH AND THE SAFETY CATCH FROM WORKING PROPERLY. THIS COULD RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION RESULTING IN OBSCURED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS OF AFFECTED VEHICLES WILL BE ADVISED BY MAIL REGARDING THE NECESSITY FOR PERIODIC LUBRICATION OF THE ENGINE HOOD LATCH MECHANISM. DEALERS WILL BE ADVISED TO LUBRICATE THE ENGINE HOOD MECHANISM WHENEVER AN AFFECTED VEHICLE IS BEING SERVICED.
## 833 CORROSION DUE TO ROAD SALT MAY PREVENT THE HOOD LATCH AND THE SAFETY CATCH FROM WORKING PROPERLY. THIS COULD RESULT IN HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION RESULTING IN OBSCURED DRIVER VISION AND A POSSIBLE CRASH. CORRECTION; OWNERS OF AFFECTED VEHICLES WILL BE ADVISED BY MAIL REGARDING THE NECESSITY FOR PERIODIC LUBRICATION OF THE ENGINE HOOD LATCH MECHANISM. DEALERS WILL BE ADVISED TO LUBRICATE THE ENGINE HOOD MECHANISM WHENEVER AN AFFECTED VEHICLE IS BEING SERVICED.
## 834 On certain vehicles the low pressure brake fluid feed pipe between the master cylinder and remote reservoir has the potential to trap or retain air. This air could enter the master cylinder causing excessive pedal travel and partial failure of the primary circuit, increasing the risk of a crash. Correction; Dealers will replace both hoses and brake fluid reservoir.
## 835 Certain trucks equipped with manual transmissions. Fatigue failure of the front parking brake cable input button these vehicles could result in failure of the parking brake system to hold the vehicle stationary. This could result in unintended vehicle movement and a vehicle crash without prior warning. Correction; dealers will replace the front parking brake cable and the controller and verify the performance of the parking brake system on these vehicles.
## 836 On certain vehicles the low pressure brake fluid feed pipe between the master cylinder and remote reservoir has the potential to trap or retain air. This air could enter the master cylinder causing excessive pedal travel and partial failure of the primary circuit, increasing the risk of a crash. Correction; Dealers will replace both hoses and brake fluid reservoir.
## 837 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 838 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes recalls 2013113, 2014224 and 2015197. Correction; All vehicles having not received a replacement inflator as part of the previous recall will now have a replacement inflator installed by dealers.
## 839 1980 VEHICLES EQUIPPED WITH CANADIAN SPECIFICATION 318 C.I.D. - 2 BARREL CARBURETOR CATALYST ENGINES. VEHICLES ARE EQUIPPED WITH AN UNDERHOOD EMISSION CONTROL LABEL PRINTED WITH AN INCORRECT PROPANE IDLE SPEED. THIS INCORRECT INFORMATION MAY CAUSE THE ENGINE TO EMIT EXHAUST GAS POLLUTANTS IN EXCESS OF LEVELS REQUIRED BY CANADA MOTOR VEHICLE SAFETY STANDARD 1103 - EXHAUST EMISSIONS.
## 840 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 841 Certain vehicles located in Ontario, Quebec, New Brunswick, Nova Scotia, Prince Edward Island, and Newfoundland and Labrador may experience unwanted Antilock Brake System (ABS) activation and increased stopping distances during low-speed brake application (less than 16 km/h and greater than 6 km/h). This condition does not set any ABS codes nor does it illuminate the ABS warning lamp. Correction; Dealers will remove the wheel speed sensor and thoroughly clean the wheel speed sensor mounting surface on the bearing, apply Zinc-X to the cleaned surface, grease the mounting surface, reinstall the wheel speed sensor, and check the output voltage to ensure the wheel speed signal is within specifications.
## 842 THE TURBOCHARGER COMPRESSOR BACKPLATE RETAINING FASTENERS MAY HAVE BEEN IMPROPERLY TORQUED. SHOULD THESE FASTENERS COME LOOSE, OIL COULD LEAK INTO THE COMPRESSOR AIR SIDE OF THE TURBOCHARGER. THE GREAT QUANTITY OF OIL ENTERING THE TURBOCHARGER COMPRESSOR THROUGH A PATH CREATED BY BACKPLATE FASTENER LOOSENING COUPLED WITH HEAT PRECIPITATED BY THE COMPRESSOR AND THE MIXING ACTION OF THE COMPRESSOR WHEEL, MAY RESULT IN AN AIR/OIL MIXTURE THAT FUELS THE ENGINE. THIS COULD RESULT IN ENGINE RUN-ON, SUBSEQUENT LOSS OF OPERATOR THROTTLE CONTROL AND A POSSIBLE CRASH.CORRECTION; SUSPECT TURBOCHARGERS WILL BE REPLACED WITH A NEW TURBOCHARGER.
## 843 On certain vehicles, the trailer hitch assembly attachment bolts may lose clamp load. If the operator does not notice the condition due to rattle or other looseness of the trailer hitch assembly, there is a potential for the trailer hitch to separate from the vehicle. Correction; Trailer hitch mounting bolts and nut plates will be replaced with higher strength mounting bolts and nut plates installed at a higher torque and including an adhesive patch.
## 844 THE THROTTLE BUSHING ON THE ACCELERATOR CONTROL BOWDEN CABLE COULD FATIGUE AND BREAK DUE TO HEAT EFFECTS. IF THIS OCCURS, THE ENGINE WILL RETURN TO IDLE AND ACCELERATOR CONTROL WILL BE LOST. CORRECTION; THE THROTTLE BUSHING ON THE ACCELERATOR CONTROL BOWDEN CABLE WILL BE REPLACED WITH ONE MADE OF MORE HEAT RESISTANT MATERIAL.
## 845 ELECTRICAL SYSTEM FAILURES CAN OCCUR AS A RESULT OF IMPROPER PIN OR CONTACT CRIMPING IN SOME OF THE DEUTSCH AND AMP CONNECTORS. THE FUEL SOLENOID CIRCUIT MAY NOT HAVE BEEN PROPERLY FUSED AND THE HEATER CIRCUI SAFETY STANDARD 124 - ACCELERATOR CONTROL SYSTEM. ELECTRICAL SYSTEM FAILURES CAN OCCUR AS A RESULT OF IMPROPER PIN OR CONTACT CRIMPING IN SOME OF THE DEUTSCH AND AMP CONNECTORS. THE FUEL SOLENOID CIRCUIT MAY NOT HAVE BEEN PROPERLY FUSED AND THE HEATER CIRCUIT MAY BE IMPORPERLY FUSED. ALSO, THE HEADLIGHT HARNESS MAY HAVE BEEN ROUTED IMPROPERLY. VEHICLES MAY EXPERIENCE LOSS OF LIGHTS, ENGINE SHUTDOWN AND/OR OVERLOADING OF THE HEATER MOTOR CIRCUIT. THESE CONDITIONS COULD OCCUR WITHOUT WARNING AND MAY RESULT IN A VEHICLE FIRE.
## 846 NOTE; VEHICLES EQUIPPED WITH 2.5 LITRE ENGINE.THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS.THE MAT SURROUNDING THE CATALYST BISCUITS MAY ERODE DUE TO EXCESSIVE THERMAL EXPANSION OF THE CATALYST CAN.CORRECTION; CATALYTIC CONVERTER WILL BE REPLACED WITH ONE USING NEW MAT MATERIAL.
## 847 On certain motorcycles the rear caliper attaching screws are under torqued. This could cause the caliper to separate from its mount, potentially rupturing the brake line and causing a loss of rear braking. It is also possible in such a case for the caliper to cause rear wheel lock up adversely affecting the dynamic stability of the motorcycle. Correction; Dealers will inspect and correct the torque of the rear caliper screws. This is an extension to recall 02-099.
## 848 ON S-SERIES TRUCKS EQUIPPED WITH HYDRAULIC BRAKES AND ELECTRIC ENGINE SHUTOFF AND CARGOSTAR TRUCKS EQUIPPED WITH HYDRO-MAX HYDRAULIC BRAKES, THE BRAKES MAY FAIL DUE TO AN ELECTRICAL FAILURE FROM THE MAIN POWER FEED OF THE ALTERNATOR. THIS IS A COMMON POWER SOURCE FOR THE ENGINE AND THE ELECTRIC MOTOR FOR THE BRAKE BACK-UP SYSTEM. ELECTRICAL FAILURE COULD RESULT IN A NEAR NO-BRAKE SITUATION AND CAUSE THE VEHICLE TO CRASH WITHOUT PRIOR WARNING. CORRECTION; SEPARATE ENGINE AND BRAKE BACK-UP CIRCUITS WILL BE PROVIDED.
## 849 ON S-SERIES TRUCKS EQUIPPED WITH HYDRAULIC BRAKES AND ELECTRIC ENGINE SHUTOFF AND CARGOSTAR TRUCKS EQUIPPED WITH HYDRO-MAX HYDRAULIC BRAKES, THE BRAKES MAY FAIL DUE TO AN ELECTRICAL FAILURE FROM THE MAIN POWER FEED OF THE ALTERNATOR. THIS IS A COMMON POWER SOURCE FOR THE ENGINE AND THE ELECTRIC MOTOR FOR THE BRAKE BACK-UP SYSTEM. ELECTRICAL FAILURE COULD RESULT IN A NEAR NO-BRAKE SITUATION AND CAUSE THE VEHICLE TO CRASH WITHOUT PRIOR WARNING. CORRECTION; SEPARATE ENGINE AND BRAKE BACK-UP CIRCUITS WILL BE PROVIDED.
## 850 On certain S10, S15, T10 and T15, the vacuum hose may detach from the brake booster check valve as a result of engine backfire. This would result in increased engine idle and loss of brake power assist after depletion of the booster vacuum reserve. A significant increase in brake pedal pressure experienced by the driver combined with increased engine rpm when minimal stopping distances are required could result in a vehicle crash. Correction; A clamp will be installed on the power brake booster hose at the brake booster check valve end.
## 851 NOTE; VEHICLES EQUIPPED WITH WABCO AIR DRYERS.IN AIR BRAKE SYSTEMS REQUIRING A LARGE VOLUME OF AIR TO PASS THROUGH THE DRYER IN A SHORT PERIOD OF TIME, THE DRYER CANNOT REMOVE ALL OF THE MOISTURE FROM THE AIR. IN A COLD ENVIRONMENT THIS MOISTURE MAY FREEZE AND EFFECTIVELY BLOCK THE AIR LINES DOWNSTREAM OF THE DRYER RESULTING IN AN AIR PRESSURE BUILD UP IN THE DRYER. THIS AIR PRESSURE MAY EVENTUALLY CAUSE THE DRYER CARTRIDGE TO SEPARATE FROM THE DRYER. THE SEPARATED CARTRIDGE MAY CAUSE BODILY INJURY TO ANYONE STANDING NEAR THE DRYER AT THE INSTANT OF SEPARATION.CORRECTION; PRESSURE RELIEF VALVES WILL BE INSTALLED IN THE DRYER OUTLET PORTS ON THE AFFECTED VEHICLES.
## 852 NOTE; VEHICLES ORIGINALLY RETAILED IN ONTARIO, QUEBEC AND THE MARITIME PROVINCES.THE COMPOSITE FRONT DISC BRAKE ROTORS ON THESE VEHICLES MAY FAIL DUE TO CORROSION. THE CAST IRON WEAR SURFACE MAY SEPARATE FROM THE HUB REDUCING THE BRAKING EFFECTIVENESS OF THE VEHICLE. CORRECTION; FRONT COMPOSITE ROTORS WILL BE REPLACED WITH ONES HAVING A REVISED CORROSION PROTECTION COATING.
## 853 THE RIGHT HAND FRAME RAIL LOWER FLANGE WAS CUT OUT OR TRIMMED ON THESE VEHICLES. BECAUSE OF POOR GRINDING METHODS USED TO ELIMINATE ALL STRESS RISING POINTS, THE FRAME COULD DEVELOP CRACKS AND EVENTUALLY FAIL DUE TO FRAME ARTICULATION. THIS COULD RESULT IN LOSS OF CONTROL AND VEHICLE CRASH WITHOUT PRIOR WARNING.
## 854 Fiat Chrysler Automobiles (FCA) Canada is conducting a voluntary Safety Improvement Program involving Takata driver and/or passenger airbag inflators installed in certain vehicles that were originally sold or ever registered in certain high humidity areas of the United States. Fiat Chrysler Automobiles (FCA) will replace the driver and/or passenger inflator on affected vehicles, depending on the vehicle involved. Owners who believe their vehicles may have been originally purchased or registered in Florida, Hawaii, Puerto Rico, and the U.S. Virgin Islands should contact a Fiat Chrysler Automobile (FCA) dealer. This action is not being conducted under the requirements of the Motor Vehicle Safety Act.Note; This special service campaign was replaced by recalls 2015094 and 2015228. Please see these recalls for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015094>Click here for more information on the 2015094 recall</a><a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information on the 2015228 recall</a>
## 855 On certain vehicles equipped with a driveline parking brake, the fasteners that connect the end of the transmission companion flange to the park drum and driveline may loosen. If this is undetected, the fasteners may fatigue and eventually shear off allowing the driveline to separate. Correction; The companion flange fasteners will be inspected for proper torque. If the fasteners are found to be loose they will be replaced. If they are found properly torqued the nuts will be removed, PermaLock added and the nuts will be torqued to specification.
## 856 On certain fire trucks, one or both of the cab tilt cylinders may lock when the cab is being lowered. This can happen if a velocity fuse trips in either of the cylinders. If only one velocity fuse trips and not the other, the resulting unequal loading may cause one of both of the cylinders to bend allowing the cab to lower to the chassis. Correction; Dealers will install flow restricting orifices to the cab tilt system.
## 857 On certain vehicles, specific operating conditions (such as tight, successive, highly banked curves in opposite directions], could trigger unintended Electronic Stability Control (ESC) system intervention. As a result, the ESC may unnecessarily apply one of the front brakes in order to correct the perceived oversteer condition. This may cause the vehicle to deviate from the intended path, thereby increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ESC module.
## 858 On certain vehicles, the TRW Model 410M ECU (Electronic Control Unit) can misinterpret particular false wheel speed signals generated from any of the following conditions; An incorrect gap between the sensor and tone ring, a chaffed sensor wire, connector corrosion, sensor vibration or quality of harness and pin-outs. If one of these conditions occurs, the ECU could not distinguish between an actual low friction event on road surface and a low amplitude sensor signal and would activate the ABS brakes, instead of deactivating the ABS in response to a false signal. The driver would experience a hard brake pedal during the middle to end of a braking event and a decrease in deceleration at the end of the stop. The driver may experience an unexpected extended stopping distance, which could result in a collision. The ABS warning indicator light may not come on to warn the driver of a system malfunction. Correction; Dealer will affect repairs. Note; recall superseded by 2004171 and 2004172.
## 859 On certain vehicles, the cable end of the parking brake cable, where it attaches to the parking brake lever, is designed improperly. Repeated normal parking brake operation may cause the cable end to become improperly seated in the parking brake lever groove. In this condition, the parking brake cable may bend and/or break due to fatigue. In the worst case, the parking brake may become inoperative. Correction; Dealers will inspect and, if necessary, replace the parking brake cable assembly.
## 860 THE MICRO-SWITCH FOR THE STOP LAMPS MAY FAIL, CAUSING THE LAMPS TO REMAIN CONTINUOUSLY ILLUMINATED OR TO FAIL TO ILLUMINATE. IF THIS OCCURS, APPLICATION OF THE BRAKES WOULD NOT BE SIGNALLED TO FOLLOWING VEHICLES, CREATING THE POTENTIAL FOR A COLLISION. CORRECTION; STOP LAMP SWITCH WILL BE REPLACED WITH AN IMPROVED SWITCH.
## 861 ON VEHICLES WITH 2.2 LITRE OR 2.5 LITRE EFI(NON-TURBO) ENGINE, THE VALVE COVER GASKET MAY LEAK OIL CREATING THE POTENTIAL FOR AN ENGINE COMPARTMENT FIRE. CORRECTION; VALVE COVER GASKET WILL BE REPLACED WITH A REVISED COVER AND RTV SEALANT APPLIED IN PLACE OF THE GASKET.
## 862 NOTE; VEHICLES EQUIPPED WITH 2.5 LITRE ENGINE.THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS.THE MAT SURROUNDING THE CATALYST BISCUITS MAY ERODE DUE TO EXCESSIVE THERMAL EXPANSION OF THE CATALYST CAN.CORRECTION; CATALYTIC CONVERTER WILL BE REPLACED WITH ONE USING NEW MAT MATERIAL.
## 863 ANTI-WHEEL LOCK VALVES SUPPLIED BY EATON CORPORATION MAY BE EXPOSED TO ACCUMULATED CONCENTRATIONS OF FLUID CONTAMINANTS IN THE AIR BRAKE SYSTEM THAT COULD CAUSE THE PISTON TO STICK THEREBY PREVENTING ANY AIR FROM BEING DELIVERED TO THE AIR BRAKE CHAMBERS SUPPLIED BY THAT VALVE. LTHIS CONDITION WILL RESULT IN A NO BRAKE APPLICATION ON THE AFFECTED AXLE, THEREBY EXTENDING VEHICLE STOPPING DISTANCES.
## 864 On certain motorcycles, vibrations that occur when underway could cause the front brake lines to suffer damage and develop a leak. Brake fluid leakage could ultimately result in loss of front braking capability which, depending on traffic conditions and the riders reactions, could result in a crash causing personal injury or death. Correction; Dealers will replace the front brake lines.
## 865 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, replace the passenger airbag inflator. Note; This recall is an expansion of recall 2013111. Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 866 THE WRONG BALL SOCKET ASSEMBLY WAS USED TO ATTACH THE STEERING ARMS TO THE STEERING DRAG LINK AND THE STEERING RAM ASSIST CYLINDER. THE ASSEMBLY MAY BIND UNDER EXTREME STEER ARTICULATION. THIS CONDITION COULD OVER TIME, WITHOUT WARNING, FATIGUE FAIL THE BALL SOCKET CAUSING POSSIBLE LOSS OF STEERING CONTROL AND AN ACCIDENT. CORRECTION; DEALERS WILL INSPECT AND WHERE REQUIRED, REPLACE THE FACTORY INSTALLED BALL SOCKET ASSEMBLY(S).
## 867 On certain vehicles, excessive enlargement of a pilot hole in the rear backing plate could allow the wheel cylinder to rotate possibly leading to loss of rear braking action.
## 868 On certain vehicles, the park brake anchor/pivot bolt may fatigue fracture. As a result, the parking brakes may not apply and the vehicle could roll away without warning, resulting in possible injury or death. Correction; Dealers will inspect and, if required, replace the park brake anchor bolts.
## 869 NOTE; TEMPO/TOPAZ WITH 2.3 LITRE ENGINE AND AEROSTAR WITH 3.0 LITRE ENGINE.THESE VEHICLES SO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS.DEFECTIVE THROTTLE POSITION SENSORS CAN WEAR OUT PREMATURELY CAUSING AN INTERRUPTION OF THE SENSOR SIGNAL AND ILLUMINATION OF THE MALFUNCTION INDICATOR LIGHT.CORRECTION; THROTTLE POSITION SENSOR WILL BE INSPECTED AND REPLACED IF NECESSARY.
## 870 BRAKE LINES WITHIN PASSENGER COMPARTMENT MAY CORRODE AND RESULT IN SUDDEN LEAKAGE AND PARTIAL BRAKE SYSTEM FAILURE. THIS WILL IMPAIR BRAKING CAPABILITY AND RESULT IN INCREASED STOPPING DISTANCE.
## 871 TRUCKS BUILT AT THE BURNABY PLANT BETWEEN JANUARY 1, 1976 AND FEBRUARY 1, 1979. VEHICLES DO NOT HAVE SUFFICIENT AIR BRAKE AIR RESERVOIR CAPACITY AND DO NOT COMPLY WITH CANADA MOTOR VEHICLE SAFETY STANDARD 121 - AIR BRAKE SYSTEMS.
## 872 Certain vehicles may have been assembled with an incorrectly manufactured Bendix MV-3 dash control valve. If the double check valve becomes lodged, in the event of a primary reservoir failure, air pressure can leak past the lodged valve, thereby depleting the secondary reservoir, causing a reduced ability for modulating the emergency brakes. Extended stopping distances may result in a vehicle crash, causing property damage, and/or personal injury or death. Correction; Dealers will inspect and, if necessary, replace the dash control valve.
## 873 On certain vehicles, repeated flexing of the Passenger Sensing System mat in the front passenger seat may cause the mat to kink, bend, or fold. This flexing can break the connections in the mat. If this occurs, the front passenger airbag could become disabled. If the airbag becomes disabled, the passenger airbag status indicator on the rearview mirror will show that the airbag is OFF, the AIR BAG indicator will be illuminated, and a SERVICE AIR BAG message will appear in the Driver Information Centre. Failure of the passenger airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injuries to the seat occupant. Correction; Dealers will replace the Passenger Sensing System mat and the seat cushion in the front passenger seat of vehicles built between December 8, 2003 and August 31, 2004, as well as those built from June 6, 2005 to Feb 18, 2007. Owners of other 2005-2007 Cadillac CTS vehicles will be provided with a special warranty coverage. Should this issue occur, GM will repair these vehicle free of charge up to 10 years or 192,000 km from first vehicle registration.
## 874 THE FUEL LINES IN THE ENGINE COMPARTMENT MAY HAVE BEEN DISTORTED DURING VEHICLE ASSEMBLY AND MAY CONTACT THE STEERING COLUMN UNIVERSAL JOINT. THIS COULD WEAR AWAY THE WALL OF THE FUEL LINE RESULTING IN FUEL LEAKAGE AND, IN THE PRESENCE OF AN IGNITION SOURCE, A FIRE COULD RESULT. CORRECTION; FUEL LINES WILL BE INSPECTED AND REPOSITIONED, REPAIRED OR REPLACED AS NECESSARY.
## 875 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 876 On certain 325I, 325IC, 325IS, 525I, 525IT, 530I, 530IT, 535I, 540I, 735I, 735IL, 740I, 740IL and 750I, the brake light switch may fail due to a reduction of contact force on the snap contact system which the switch incorporates. This could cause heat induced distortion of the plastic internal switch parts in the area of the electrical contacts. This could cause the switch to remain either in the ON or the OFF position resulting in the brake lights being continuously illuminated or inoperative regardless of brake pedal operation. Correction; Switch will be replaced with on that utilizes a different contact system.
## 877 On certain motorcycles, an improperly shaped seal in the brake proportioning control valve could allow brake fluid leakage to occur. With continued use, a leak in the proportioning valve would cause the rear brake to eventually become inoperative. Although the front brake provides most of the braking function, a loss of rear brake force could increase the risk of a crash. Correction; Dealers will replace the brake proportioning valve.
## 878 HIGH UNDER-HOOD AND UNDER-FLOOR TEMPERATURES MAY CAUSE FAILURE OF SOME HYDRAULIC BRAKE HOSES. THIS CONDITION WILL CAUSE A LOSS OF HYDRAULIC FLUID FROM THE DUAL HYDRAULIC SYSTEM AND IMPAIR BRAKING EFFICIENCY. A POTENTIAL FIRE HAZARD ALSO EXISTS.
## 879 On certain vehicles, the front passenger seat occupant detection mat can fatigue over time. As a result, the passenger airbag could deactivate, illuminating the airbag warning lamp and the passenger airbag ON/OFF lamp. Failure of the passenger airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Vehicles will receive special extended warranty coverage of 10 years from first registration. Under this special coverage program, vehicles which experience this condition will have the occupant detection mat replaced.
## 880 On certain vehicles equipped with an optional tonneau cover where the front-most panel can be opened with the vehicle ignition key, the lock cylinder could bind. If the lock cylinder were to bind in the open position, the panel may not remain closed and the tonneau cover assembly could separate from the vehicle while it is being driven. This could potentially result in property damage and pose a hazard to other road users. Correction; Dealers will affect repairs when service parts become available. In the interim, the panel release mechanism will be disabled or the tonneau cover removed, at the owners choice.
## 881 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2014-587. Correction; Dealers will replace the airbag module.
## 882 Certain motorcycles may experience an unintended activation of one of the fuel injectors by the engine control unit (ECU). This could result in the engine either not starting, or if already running normally, may lose ignition to one cylinder (caused by excessive fuelling], which would lead to a loss of vehicle propulsion which, in conjunction with traffic and road conditions, and the riders reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ECU.
## 883 On certain vehicles, the primary stage of the drivers airbag may not deploy during a crash (where deployment is warranted). Failure of an airbag to deploy correctly could increase the risk of personal injury to the seat occupant. Correction; Dealers will replace the steering wheel airbag coil. Note; This is an expansion of recall 2012368.
## 884 Chrysler Canada has determined that an opportunity to incrementally improve performance in certain types of low-speed impacts may exist in certain vehicles. The company will carry out a voluntary customer satisfaction campaign to offer a structural improvement to mitigate the risks of fuel leakage in certain low-speed collisions. Chrysler will inspect the affected vehicles and install a Chrysler trailer hitch if appropriate. This action is not being conducted under the requirements of the Motor Vehicle Safety Act.
## 885 On certain vehicles, the center and rear brake lines may become perforated due to corrosion. This would cause a leak in the brake system potentially increasing stopping distances, which could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will inspect vehicles and either apply an anti-corrosion coating to the 4-way joint connector and brake lines, or replace them as necessary. Note; This recall supersedes recall 2013092 and 2014223. Vehicles that were inspected and/or repaired under the previous recall will require re-inspection and/or repair.
## 886 On certain fire trucks, the vehicle cab hydraulic lift system used to raise and lower the cab for maintenance can fail. If the cab is left in a raised position, it may not maintain its tilted upright position. Also, if equipment shifts inside the cab while the cab is in the raised position, it could cause an impact load on the tilt cylinders causing the cab to come crashing down, potentially injuring someone working beneath it. Correction; American LaFrance has not yet provided a remedy. Note; This notice was rescinded upon further evaluation.
## 887 On certain motorcycles, the contacting surfaces which activate the front and rear brake light switches may become misaligned. Misalignment of either of these surfaces could cause that brake light switch to fail prematurely. If this should occur, the brake light would not function for that particular brake. This could, depending on operating conditions, result in a crash with another vehicle or vehicles. Correction; Front and brake lever will be modified, a cap will be placed on the rear brake stop bolt and the front and rear brake light switches will be replaced with a newer switch if the vehicle is not already so equipped.
## 888 Certain vehicles equipped with certain Haldex brake system two and four port relay valves. The valve may stick open when a high-pressure application is released. When the valve sticks open, it can result in a total loss of air from either the service or the park brake system. The driver may lose braking ability under a service application, possibly resulting in a vehicle crash. Correction; Dealers will replace these valves.
## 889 On certain vehicles, a control board for the Intelligent Power Module (IPM], part of the hybrid system inverter assembly, could fail while the vehicle is underway. This could cause various warning lamps, including the malfunction indicator lamp, slip indicator lamp, brake system warning lamp, and master warning lamp, to illuminate on the instrument panel. If this occurred, in most cases, the vehicle would enter fail-safe driving mode, resulting in reduced motive power in which the vehicle could still be driven for short distances. In some instances, the fuse of the power supply circuit could blow, causing the hybrid system to stop functioning. The resultant loss of vehicle propulsion, in conjunction with traffic and road conditions, and the drivers reactions, could increase the risk of a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the Intelligent Power Module.
## 890 On certain trucks equipped with Electronic Automatic Shift (EAS], a programming logic error in the transmission EAS system may prevent the vehicles clutch from disengaging when the vehicle is operated in working group or crawler gear range (low-low range). The brake system is not capable of overcoming the engine torque transmitted to the wheels when the vehicle is operated in this gear range. If the clutch fails to disengage, the engine must be shut-down in order to bring the vehicle to a stop, which could result in a vehicle crash causing injury or death. Correction; Dealers will replace the gear shift electronic control unit.
## 891 On certain vehicles, the outer rubber layer of the front brake flex hose may crack near the grommet. This could cause the hose to burst. Correction; Dealers will replace both front brake hoses.
## 892 On certain motorcycles, the combined brake systems secondary master cylinder may cause the rear brakes to drag. Unexpected braking may adversely affect vehicle stability, which could result in a crash. As well, continued riding with the rear brake engaged/dragging may generate enough heat to cause the rear brake to catch fire. These issues could result in property damage and/or personal injury. Correction; To be determined.
## 893 On certain vehicles equipped with a Caterpillar engine, the Variable Valve Actuation oil line (VVA line) used on 6 cylinder, 15L turbocharged and air-to-air aftercooled diesel engines may wear against the sharp edge of the cylinder head if not oriented correctly. Oil line wear may cause an oil leak and a potential fire hazard. Correction; Dealers will inspect and, if required, replace the VVA line.
## 894 On certain motorcycles, the combined brake systems secondary master cylinder may cause the rear brakes to drag. Unexpected braking may adversely affect vehicle stability, which could result in a crash. As well, continued riding with the rear brake engaged/dragging may generate enough heat to cause the rear brake to catch fire. These issues could result in property damage and/or personal injury. Correction; To be determined.
## 895 On certain vehicles, a retaining pin, used to secure the lower clevis pin on the debris body hoist cylinder, may not have been installed during assembly. This can cause the clevis pin to work out, which could allow the debris body to tip over backwards, possibly resulting in property damage, personnel injury or death. Correction; Dealers will inspect and, if necessary, install cotter pins on the lower cylinder clevis pin.
## 896 On certain vehicles, specific operating conditions (such as tight, successive, highly banked curves in opposite directions], could trigger unintended Electronic Stability Control (ESC) system intervention. As a result, the ESC may unnecessarily apply one of the front brakes in order to correct the perceived oversteer condition. This may cause the vehicle to deviate from the intended path, thereby increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ESC module.
## 897 Note; Vehicles equipped with Bendix-10 Antilock Brake System (ABS) Vehicles with ABS brakes may experience premature actuator piston seal wear in the ABS hydraulic control unit and/or actuator pump motor deterioration. If this occurs, the ABS function may be lost and reduced power assist may be experienced during vehicle braking. Correction; Vehicles with ABS malfunction will be repaired as necessary. Warranty on all ABS components will be extended to 10 years or 160,000 km (except for the brake actuator piston assembly and the pump-motor assembly which will have lifetime coverage).
## 898 Chrysler Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Chrysler Canada will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015228. Please see recall 2015228 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information</a>
## 899 On certain vehicles equipped with air disc brakes, the brake caliper bolts may have been insufficiently tightened, or an insufficient number of bolts may have been installed at time of vehicle assembly. Loose or missing bolts could allow a caliper to detach from its mount, resulting in partial loss of brake function, which could increase stopping distance and increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will replace missing bolts, if any, and tighten all caliper bolts to the specified torque.
## 900 On certain vehicles, the fuel pipe in the engine compartment may be out of position. This could cause a foul with either an adjacent brake pipe or modulator pump, which could result in eventual abrasive damage to either pipe and possible leakage. Correction; Dealer will reposition and replace affected components as required.
## 901 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2014567. Correction; Dealers will inspect/replace the drivers frontal airbag inflator. All vehicles having received a replacement inflator as part of any previous drivers inflator campaign will have a replacement inflator installed. Note; Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 902 On certain vehicles, brake chamber diaphragm(s) may not be properly seated. This could lead to brake drag, causing brake overheating or unintended spring brake application. These issues could increase the risk of a crash causing injury and/or property damage. Correction; Dealers will affect repairs as necessary.
## 903 On certain vehicles, the TRW Model 410M ECU (Electronic Control Unit) can misinterpret particular false wheel speed signals generated from any of the following conditions; An incorrect gap between the sensor and tone ring, a chaffed sensor wire, connector corrosion, sensor vibration or quality of harness and pin-outs. If one of these conditions occurs, the ECU could not distinguish between an actual low friction event on road surface and a low amplitude sensor signal and would activate the ABS brakes, instead of deactivating the ABS in response to a false signal. The driver would experience a hard brake pedal during the middle to end of a braking event and a decrease in deceleration at the end of the stop. The driver may experience an unexpected extended stopping distance, which could result in a collision. The ABS warning indicator light may not come on to warn the driver of a system malfunction. Correction; Dealer will affect repairs. Note; recall superseded by 2004171 and 2004172.
## 904 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 905 Certain motorcycles may have an incorrectly routed front Anti-Lock Brake System (ABS) sensor cable. If certain service procedures are performed, for example, a front tire change which involves removal of the front left brake caliper, it is possible for the ABS sensor cable to be routed incorrectly when the caliper is reinstalled. If this happens, the sensor cable can come into contact with, and rub/chafe against, the front brake disk. Over time, if the chafing becomes severe, it is possible to lose the ABS function. Correction; Dealers will attach additional retaining clips to the ABS sensor cable.
## 906 On certain vehicles, the rear brake line on the passenger side could be routed too close to the corner of the fuel tank. An improperly routed brake line could be damaged by chafing against the fuel tank during extreme axle movement. Such chafing could result in a leaking brake line causing a partial brake system failure and increased stopping distances. Correction; Dealers will check the routing of the right rear brake line and replace any damaged brake line.
## 907 On certain vehicles, the anchor plate tie bar for the 73mm calipers was inadvertently omitted during vehicle assembly. This could cause a loss or reduction of brake force applied to the affected wheel end. Extended stopping distances may result in a vehicle crash causing property damage, personal injury or death. Correction; Dealers will inspect and, if necessary, install an anchor plate tie bar.
## 908 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall is superseded by recall 2015269. Please see recall 2015269 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015269>Click here for more information</a>
## 909 On certain vehicles, the transmission case bolt which allows service access to disconnect the differential from the transmission could loosen and fall out. If the bolt falls out, the extension shaft could disengage from the differential, disconnecting the drive train between the transmission and the differential. This could cause the vehicle to lose power to the drive wheels without warning. Also, shifting to the PARK position would not lock the wheels, and a parked vehicle could move unexpectedly if the parking brake is not set. Correction; An updated transmission case bolt (with an o-ring instead of thread lock/sealer) will be installed on affected vehicles.
## 910 On certain vehicles, manufacturing defects in the front axle unitized hubs may cause premature spalling of the wheel bearings. This condition will lead to eventual breakdown of the bearing and potential loss of vehicle control amidst the presence of warning signals such as activation of ABS warning light, steering wheel vibration, brake drag, noise and vehicle pull. Correction; Dealer will replace both front wheel hubs.
## 911 NOTE; VEHICLES EQUIPPED WITH ROCKWELL WABCO SYSTEM SAVER 1000 AIR DRYERS.IN AIR BRAKE SYSTEMS REQUIRING A LARGE VOLUME OF AIR TO PASS THROUGH THE DRYER IN A SHORT PERIOD OF TIME, THE DRYER CANNOT REMOVE ALL OF THE MOISTURE FROM THE AIR. IN A COLD ENVIRONMENT THIS MOISTURE MAY FREEZE AND EFFECTIVELY BLOCK THE AIR LINES DOWNSTREAM OF THE DRYER RESULTING IN AN AIR PRESSURE BUILD UP IN THE DRYER. THIS AIR PRESSURE MAY EVENTUALLY CAUSE THE DRYER CARTRIDGE TO SEPARATE FROM THE DRYER. THE SEPARATED CARTRIDGE MAY CAUSE BODILY INJURY TO ANYONE STANDING NEAR THE DRYER AT THE INSTANT OF SEPARATION. CORRECTION; PRESSURE RELIEF VALVES WILL BE INSTALLED IN THE DRYER OUTLET PORTS ON THE AFFECTED VEHICLES.
## 912 On certain trucks, the coleman front driving axle steering arms may be overstressed. This condition can cause cracks to develop eventually resulting in complete fracture of the steering arm and loss of steering control. Correction; A new steering arm and power assist cylinder will be installed.
## 913 THE PARK CAM PLATE STOPS IN THE TRANSMISSION EXTENSION HOUSING MAY BE MISLOCATED DUE TO CORE SHIFTING. THIS CONDITION MAY RESULT IN THE PARKING PAWL NOT ENGAGING WHEN THE SELECTOR LEVER IS PLACE IN THE PARK~ POSITION. THIS MAY ALLOW AN UNATTENDED VEHICLE TO ROLL FREE IF THE PARKING BRAKE IS NOT ENGAGED.
## 914 On certain vehicles, the rear brake backing plates may develop a corrosion condition which could result in loss of rear brake fluid and loss of rear braking capabilities. This recall affects vehicles sold in the Maritime provinces only.
## 915 THE ACELERATOR CABLE ON THE SUBJECT VEHICLES COULD SUDDENLY BREAK AND RETURN THE ENGINE SPEED TO IDLE.
## 916 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 917 On certain vehicles, the brake and clutch fluid reservoir hoses may not be resistant to brake fluid, which could cause a failure of the hoses. Should this occur, the result would be illumination of the brake failure light, followed by loss of vehicle braking efficiency. If the vehicles use is continued despite an illuminated brake failure light, eventual brake failure can occur and can result in a vehicle crash. Correction; Dealer will replace the brake and clutch fluid reservoir hoses.
## 918 ON VEHICLES EQUIPPED WITH CERTAIN ALLISON TRANSMISSIONS, THE ENGINE COULD BE STARTED WITH THE TRANSMISSION SELECTOR IN THE DRIVE OR REVERSE POSITION. IF THE ENGINE IS STARTED WITH THE TRANSMISSION IN RANGE WITHOUT THE SERVICE OR PARKING BRAKE APPLIED, THE VEHICLE COULD ROLL FORWARD OR BACKWARD AS SOON AS THE ENGINE STARTS. THIS COULD RESULT IN A CRASH WITHOUT PRIOR WARNING.CORRECTION; NEUTRAL START SWITCH WILL BE INSPECTED AND REPLACED IF NECESSARY.
## 919 ON VEHICLES EQUIPPED WITH CERTAIN ALLISON TRANSMISSIONS, THE ENGINE COULD BE STARTED WITH THE TRANSMISSION SELECTOR IN THE DRIVE OR REVERSE POSITION. IF THE ENGINE IS STARTED WITH THE TRANSMISSION IN RANGE WITHOUT THE SERVICE OR PARKING BRAKE APPLIED, THE VEHICLE COULD ROLL FORWARD OR BACKWARD AS SOON AS THE ENGINE STARTS. THIS COULD RESULT IN A CRASH WITHOUT PRIOR WARNING.CORRECTION; NEUTRAL START SWITCH WILL BE INSPECTED AND REPLACED IF NECESSARY.
## 920 On certain vehicles, the automatic slack adjuster anchor brackets can fail due to fatigue fracture and completely separate, causing the slack adjusters to function as manual slack adjusters. If the support bracket for an automatic slack adjuster fails, the brakes at that wheel end will not automatically adjust. As the brake linings wear, the vehicle will have reduced braking capacity, increasing the risk of a crash. Correction; Dealers will install a new bracket on each suspect slack adjuster.
## 921 On certain vehicles, a defect in the ignition switch could allow the switch to move out of the run position if the key ring is carrying added weight or the vehicle goes off-road or is subjected to some other jarring event. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; For each key, dealers will install two key rings and modify the key ring opening shape. Note; Until the correction is performed, all items should be removed from the key ring.
## 922 AT AMBIENT TEMPERATURES BELOW -18 DEGREES CELSIUS, FROST MAY ACCUMULATE WITHIN THE THROTTLE BODY UNDER CONDITIONS OF EXTENDED CONSTANT SPEED OPERATION. THIS COULD RESULT IN A HEAVY ACCELERATOR PEDAL AND CAUSE UNEVEN THROTTLE VALVE RETURN. CORRECTION; THE SINGLE STAGE ENGINE COOLANT THERMOSTAT WILL BE REPLACED WITH A DUAL STAGE THERMOSTAT EQUIPPED WITH A SUBVALVE TO INCREASE THE TEMPERATURE WITHIN THE THROTTLE BODY. V.I.N. RANGE; JM1GD3120J1500014 TO JM1GD2226J1573252.
## 923 SOME OF THE VEHICLES (EQUIPPED WITH 1.6 LITRE ENGINES, CALIBRATION 3-03B-R10) MAY HAVE BEEN BUILT AND SHIPPED WITH EXHAUST AIR SUPPLY AIR CONTROL VALVE HOSES REVERSED. EMISSION LEVELS ARE EXPECTED TO INCREASE, POSSIBLY EXCEEDING THE STANDARDS. bRIVEABILITY SHOULD NOT BE AFFECTED.
## 924 On certain vehicles, the front seat track position sensors utilized for the airbag system may not function properly. Sensor information is used to lessen inflation pressure for smaller statured occupants who may be seated in close proximity to the airbag. Failure of the seat track position sensors causes the airbag deployment to default to full inflation pressure regardless of the seat position. Full deployment could increase the risk of injury for smaller statured seat occupants in a frontal crash. Correction; Dealers will inspect the front seat track position sensors and replace them if necessary.
## 925 On certain vehicles, the high pressure oil line for the fuel injection system that goes from the high pressure oil pump to the right cylinder head can abrade and fail due to rubbing on the charge air cooler crossover pipe. This would result in a sudden loss of oil and if the vehicle is being operated at the time, the engine could have a sudden loss of power without warning, possibly resulting in a vehicle crash. Correction; Vehicles will be inspected and a convoluted hose will be placed over undamaged hoses. Damaged hoses will be replaced and a convoluted hose will be added.
## 926 HIGH UNDER-HOOD AND UNDER-FLOOR TEMPERATURES MAY CAUSE FAILURE OF SOME HYDRAULIC BRAKE HOSES. THIS CONDITION WILL CAUSE A LOSS OF HYDRAULIC FLUID FROM THE DUAL HYDRAULIC SYSTEM AND IMPAIR BRAKING EFFICIENCY. A POTENTIAL FIRE HAZARD ALSO EXISTS.
## 927 Certain vehicle configuration which includes an AG400 rear suspension, long stroke brake chambers, and wide base tires may develop an increase in lateral and vertical axle movement. This movement may cause part or parts of the brake assembly to develop fatigue cracks, possibly resulting in the failure of part or parts within the brake assembly. A failure may reduce vehicle brake performance, increasing the risk of a crash causing personal injury or death. Correction; Dealers will affect repairs.
## 928 On certain vehicles, manufacturing defects in the front axle unitized hubs may cause premature spalling of the wheel bearings. This condition will lead to eventual breakdown of the bearing and potential loss of vehicle control amidst the presence of warning signals such as activation of ABS warning light, steering wheel vibration, brake drag, noise and vehicle pull. Correction; Dealer will replace both front wheel hubs.
## 929 On certain vehicles, oxidation on the ground pin connector for the rear tail lamps may cause a dimming or loss of one or more rear lamp functions (tail, brake, turn signal). Failure of any rear lamp function may result in the following road users being unaware of the drivers intentions, as well as reducing vehicle conspicuity during hours of darkness. Correction; Dealers will inspect and if necessary replace the rear tail lamps on affected vehicles.
## 930 TRUCKS EQUIPPED WITH MACK 6 CYLINDER ENGINES AND FLEXIBLE BLADE ENGINE COOLING FANS. THE FLEXIBLE BLADE FANS MAY DEVELOP FATIGUE CRACKS IN THE LAMINATED STIFFENER. CONTINUED ENGINE OPERATION COULD CAUSE A PIECE OF THE STIFFENER TO BREAK OFF AND BE PROPELLED OUTSIDE OF THE FAN SHROUD. A PROPELLED FRAGMENT COULD CAUSE INJURY TO SERVICE PERSONNEL IN THE VICINITY OF AN OPERATING ENGINE.
## 931 On certain vehicles equipped with an 8-cylinder engine, the circular retention clip at the quick-release coupling along the fuel supply line was inadvertently omitted. As a result, it is possible that in a severe frontal crash, the quick-release coupling could separate. If this happens, a small amount of fuel could leak and potentially ignite. Correction; Dealers will install a circular retention clip.
## 932 CRACKS IN THE COOLING FAN CLUTCH ADAPTOR PLATE MAY CAUSE THE COOLING FAN TO LOOSEN AND IN SOME INSTANCES SEPARATE FROM THE FAN PULLEY MOUNTING AREA WHILE THE ENGINE IS RUNNING. THIS COULD RESULT IN INJURY TO PERSONS WORKING ON THE VEHICLE IN THE VICINITY OF THE ENGINE FAN BLADES.CORRECTION; ADAPTOR PLATE (DRAWN TYPE) WILL BE REPLACED WITH A CIRCULAR ADAPTOR PLATE.
## 933 THE EATON MODEL 21 ANTI-WHEEL LOCK CONTROLLER MAY MALFUNCTION AND PREVENT APPLICATION OF THE BRAKE ON THE AXLE CONTROLLED BY THE DEFECTIVE CONTROLLER. A NO BRAKE SITUATION MAY DEVELOP WHICH WOULD AFFECT VEHICLE BRAKING CHARACTERISTICS AND MAY LEAD TO A VEHICLE CRASH.
## 934 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 935 On certain motorcycles, the contacting surfaces which activate the front and rear brake light switches may become misaligned. Misalignment of either of these surfaces could cause that brake light switch to fail prematurely. If this should occur, the brake light would not function for that particular brake. This could, depending on operating conditions, result in a crash with another vehicle or vehicles. Correction; Front and brake lever will be modified, a cap will be placed on the rear brake stop bolt and the front and rear brake light switches will be replaced with a newer switch if the vehicle is not already so equipped.
## 936 Certain vehicles may fail to conform to Canada Motor Vehicle Safety Standard (CMVSS) 114 - Theft Protection and Rollaway Prevention. During service appointments with dealers, the automatic transmission control unit may have been inadvertently programmed with software that does not conform to the standard. As a result, drivers could exit the vehicle and may not realize that the vehicles transmission is not in the PARK position. If this were to occur without the parking brake applied, the vehicle could roll away, which could result in a crash causing injury and/or damage to property. Correction; Dealers will reprogram the automatic transmission control unit software.
## 937 Certain motorhomes fail to comply with the requirements of CMVSS 101 and 105. Incorrect software programmed into the instrument panel cluster may not allow activation of certain driver warning indicators. As a result, the instrument cluster may fail to illuminate the warning lamps indicating brake system failure. Correction; Dealers will reprogram the instrument panel cluster.
## 938 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 939 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 940 On certain vehicles, a wiring defect could cause the airbag warning lamp to fail to illuminate in the event of a fault with the side curtain airbag system. As a result, a fault could go undetected by the driver, and cause the side airbag to fail to deploy in a crash. This could increase the risk of injury. Correction; Dealers will affect repairs.
## 941 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 942 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 943 TRUCK AND BUS CHASSIS EQUIPPED WITH GASOLINE ENGINES. HEAT RADIATED BY THE EXHAUST MUFFLER MAY RUPTURE EITHER OF THE NEARBY SERVICE OR PARKING AIR BRAKE TUBES RESULTING IN A LOSS OF SUPPLY AIR TO THE SECONDARY AIR BRAKE SYSTEM. THIS WOULD REDUCE VEHICLE BRAKING EFFECTIVENESS BY 50%.
## 944 1974 PLYMOUTH SATELLITE AND DODGE CORONET FOUR DOOR SEDANS EQUIPPED WITH 360,400, OR 440 CID ENGINES. IT IS POSSIBLE, IF THERE IS REAR END SHEETMETAL DAMAGE TO THE DECK LID OPENING AS COULD BE CAUSED BY A REAR END COLLISION, THAT THERE IS A PATH ALLOWING ENTRY OF EXHAUST GAS INTO THE PASSENGER COMPARTMENT.
## 945 TRUCK AND BUS CHASSIS EQUIPPED WITH GASOLINE ENGINES. HEAT RADIATED BY THE EXHAUST MUFFLER MAY RUPTURE EITHER OF THE NEARBY SERVICE OR PARKING AIR BRAKE TUBES RESULTING IN A LOSS OF SUPPLY AIR TO THE SECONDARY AIR BRAKE SYSTEM. THIS WOULD REDUCE VEHICLE BRAKING EFFECTIVENESS BY 50%.
## 946 VEHICLES EQUIPPED WITH TILT STEERING COLUMNS. SOME TILT STEERING COLUMNS CONTAIN TRANSMISSION CONTROL INSERTS (GEAR SELECTOR POINTERS) THAT WERE INTENDED FOR USE IN 1978 MODEL TRUCKS. USE OF THESE INSERTS COULD ALLOW THE ENGINE TO BE STARTED WITH THE SHIFT SELECTOR POSITIONED BETWEEN NEUTRAL (N) AND DRIVE (D) AND THE TRANSMISSION IN DRIVE. THERE IS A POSSIBILITY OF STARTING THE VEHICLE WITH THE TRANSMISSION IN DRIVE CREATING THE POTENTIAL FOR A FRONTAL COLLISION.
## 947 On certain Dodge Charger police vehicles, a power distribution center bus bar could overheat, causing a loss of Antilock Brake System (ABS) and Electronic Stability Control (ESC) system function. Loss of ABS/ESC could increase the risk of a crash, which may result in property damage and/or personal injury. Correction; Dealers will relocate the ABS/ESC system fuse within the power distribution center.
## 948 VEHICLES MAY EXPERIENCE AN ENGINE DIE OUT DUE TO MOISTURE IN THE POWERTRAIN CONTROL MODULE (PCM) CAUSED BY INADEQUATE POTTING MATERIAL SEALING. ALSO, THE REAR BRAKE LINES MAY BE OUT OF POSITION DUE TO FAILURE OF THE MOUNTING BRACKET SCREWS.CORRECTION; POWERTRAIN CONTROL MODULE AND REAR BRAKE LINE BRACKET SCREWS WILL BE REPLACED ON AFFECTED VEHICLES.
## 949 VEHICLES MAY EXPERIENCE AN ENGINE DIE OUT DUE TO MOISTURE IN THE POWERTRAIN CONTROL MODULE (PCM) CAUSED BY INADEQUATE POTTING MATERIAL SEALING. ALSO, THE REAR BRAKE LINES MAY BE OUT OF POSITION DUE TO FAILURE OF THE MOUNTING BRACKET SCREWS.CORRECTION; POWERTRAIN CONTROL MODULE AND REAR BRAKE LINE BRACKET SCREWS WILL BE REPLACED ON AFFECTED VEHICLES.
## 950 On certain vehicles, the Antilock Traction Relay Valves manufactured by Bendix were incorrectly assembled. An extra check valve was installed which will not allow the traction control system to function properly. When the system detects a traction control event, the defective valve can cause the rear brakes to apply and not release until the air system pressure is depleted. An unexpected and uncontrollable application of the rear brakes could cause a crash without prior warning. Correction; Suspect vehicles will be inspected and all Antilock Traction Relay Valves found to be defective will be replaced.
## 951 On certain vehicles, electrical circuitry in the steering wheel assembly may become damaged. As a result, the drivers airbag may not function as intended, causing the instrument panel airbag warning lamp to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of injury to the seat occupant. Correction; Dealers will replace the spiral cable assembly.
## 952 Certain sport utility vehicles equipped with a 4.0L engine only. The design of the intake and exhaust manifolds could allow debris to accumulate at the 3 cylinder location. This could result in a vehicle fire. Correction; Dealers will install a manifold shield to modify the air flow characteristics and to prevent the accumulation of debris in the area of the 3 cylinder.
## 953 On certain vehicles, the front hubs may have less than an infinite fatigue life if used with a thin brake drum. If a wheel hub experiences fatigue failure the result could be complete wheel separation from the vehicle. This could in turn cause loss of vehicle control and a crash without prior warning. Correction; Both front wheel hubs will be replaced on affected vehicles.
## 954 Certain vehicles use brake fluids containing polymers that act as lubricants for certain brake system components. If during vehicle maintenance, brake fluid is used that does not contain such polymers or only small amounts, part of the internal rubber seal located at the end of the brake master cylinder piston may become dry and may curl during movement of the piston. If this occurs, a small amount of the brake fluid could slowly leak from the brake master cylinder into the brake booster, resulting in illumination of the brake warning lamp. If the brake warning light has illuminated and the vehicle continues to be operated without refilling the master cylinder brake fluid reservoir, the driver will begin to notice a spongy or soft brake pedal feel and braking performance may gradually decline. This will increase the stopping distance, increasing the likelihood of a crash. Correction; Dealers will replace the brake master cylinder seal with a newly designed one.
## 955 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 956 Certain vehicles use brake fluids containing polymers that act as lubricants for certain brake system components. If during vehicle maintenance, brake fluid is used that does not contain such polymers or only small amounts, part of the internal rubber seal located at the end of the brake master cylinder piston may become dry and may curl during movement of the piston. If this occurs, a small amount of the brake fluid could slowly leak from the brake master cylinder into the brake booster, resulting in illumination of the brake warning lamp. If the brake warning light has illuminated and the vehicle continues to be operated without refilling the master cylinder brake fluid reservoir, the driver will begin to notice a spongy or soft brake pedal feel and braking performance may gradually decline. This will increase the stopping distance, increasing the likelihood of a crash. Correction; Dealers will replace the brake master cylinder seal with a newly designed one.
## 957 Certain vehicles were produced with lower control arm ball stud nut/washer assemblies with washers made of the wrong steel material. The washers may fracture and become loose or fall away from the vehicle, reducing clamp load. Separation of the control arm ball stud and steering knuckle, due to disengagement of the tapered attachment and retaining nut, is possible and may occur without prior indication to the vehicle operator. If the control arm separates from the knuckle, the affected corner of the vehicle will drop and the control arm would be forced downward, contacting the wheel. The affected wheel could tilt outward and create a dragging action that would tend to slow the vehicle and create a tendency for the vehicle to turn in the direction of the affected wheel. In extreme situations, the affected wheel assembly could separate from the vehicle. Separation of the wheel assembly would also sever that wheels hydraulic brake hose and result in diminished braking performance of the vehicle, which could result in a crash. Correction; Dealers will install a new nut and washer, and if required, replace the ball stud and/or steering knuckle.
## 958 On certain vehicles, the secondary clutch disengagement switch may have been omitted during vehicle assembly or, in some instances, removed during servicing. As such, primary switch failure would cause the automated manual transmissions clutch to remain engaged when the brakes are applied. This could increase stopping distances, possibly resulting in a crash causing property damage and/or personal injury. Correction; Dealers will install a micro-switch at the brake pedal and update the software to run a diagnostic on the switch during engine start-up.
## 959 On certain vehicles, the internal rubber check valve inside the Bendix SR-7 spring brake modulating valve can become deformed over time. The effect of this defect is intermittent and presents a potential delay or failure in applying the parking brakes; potentially resulting in a vehicle roll away. Should this occur, the unattended roll away vehicle could strike a bystander or cause property damage. Correction; Dealers will install a check valve repair kit.
## 960 On certain motorcycles, it is possible that the clutch slave cylinder may leak internally causing the clutch control to jam. This could affect the control of the motorcycle and cause a crash. Correction; Dealers will replace the clutch slave cylinder.
## 961 NOTE; VEHICLES EQUIPPED WITH 4.9 LITRE ENGINES.AN INCORRECT ENRICHMENT CALIBRATION TO THE FUELING STRATEGY OF THESE VEHICLES WHEN THE AIR CONDITIONER IS BEING USED MAY RESULT IN NON COMPLIANCE WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS.CORRECTION; A NEW SERVICE PROM WILL BE INSTALLED WHICH WILL RESULT IN THE REDUCTION OF AIR POLLUTANTS WITHOUT REDUCING DRIVEABILITY.
## 962 MEDIUM AND HEAVY DUTY TRUCK AND BUS MODELS EQUIPPED WITH 7,000 OR 12,000 POUND FRONT AXLES AND HYDRAULIC BRAKES. THE RIGHT-HAND AND/ OR LEFT-HAND FRONT SHORT STELL BRAKE LINES MAY FRACTURE IN THE BEND RADIUS DUE TO BRAKE CHATTER INDUCING PERIODIC HIGH STRESSES. THIS CAN RESULT IN A BRAKE FLUID LEAK AND LOSS OF BRAKING POWER.
## 963 On certain vehicles equipped with cacuum power disc/drum brakes may experience brake vacuum booster fatigue cracks. Cracks may propogate to the extent that when a minimum stopping distance is required, vehicle crash without prior warning could occur.
## 964 On certain vehicles equipped with a power liftgate system, the gas-filled struts (which help to raise and support the liftgate) may prematurely wear. These vehicles have a Prop Rod Recovery system intended to accomplish a controlled, slow return of the liftgate to the closed position if the liftgates gas struts are no longer capable of supporting the weight of the liftgate. The vehicle would provide audible warnings and flash the tail lamps to indicate there is a problem. However, the liftgates Prop Rod Recovery system software may be unable to detect/stop a liftgate with prematurely worn gas struts from falling too quickly after the liftgate is opened. This could allow the liftgate to drop suddenly, placing anyone beneath or near the gate at risk of injury. Correction; Dealers will reprogram the power liftgate actuator motor ECU with a new software and will verify power liftgate operation following the reprogram.
## 965 CORROSION OF THE ABS HYDRAULIC CONTROL UNIT MAY CAUSE THE SOLENOID VALVES TO STICK IN THE OPEN POSITION. IF EITHER FRONT WHEEL VALVE STICKS, THE VEHICLE MAY TEND TO DEVIATE FROM A STRAIGHT STOP WHEN THE BRAKES ARE APPLIED.CORRECTION; A PLATE WILL BE INSTALLED ON THE ABS HYDRAULIC CONTROL UNIT AND SILICONE GREASE INJECTED INTO THE SOLENOID CAVITY TO ELIMINATE THE POTENTIAL FOR THIS CONDITION.
## 966 Certain motorcycles may exhibit a temporary loss of ABS function as a result of an overpressure effect in the brake system caused by applying significant force to the brake lever under rapid, repeated and unusually harsh braking. Loss of ABS function can increase the risk of a crash in certain traffic and road conditions. Correction; Dealers will install a banjo bolt with a flow restrictor to the front brake line.
## 967 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1101 - EMISSION DEVICE.IMPROPER CALIBRATION OF THE POWERTRAIN CONTROL MODULE (PCM) CAN RESULT IN UNCONTROLLED SPARK KNOCK, SETTING AN MIL (MALFUNCTION INDICATOR LAMP], MISFIRE, ROUGH IDLE, AUDIBLE KNOCK AND/OR POSSIBLE ENGINE DAMAGE.CORRECTION; VEHICLE PCM WILL BE REFLASHED WITH NEW CALIBRATION SOFTWEAR.
## 968 On certain vehicles, the steering wheel clock spring could become contaminated with long hair or long fibers which may cause a displacement of the internal guide loops. When the guide loops are dragged out of position, they may apply tension to the internal flat cable and cause it to tear. Should the cable tear, the electrical connection to the drivers front airbag may be lost, causing the airbag monitoring indicator light to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will affect repairs.
## 969 DUE TO A FAULTY OIL PRESSURE SENDER GAUGE, OIL COULD LEAK FROM THE ENGINE CREATING THE POSSIBILITY OF ENGINE SEIZURE WITHOUT PRIOR WARNING WHICH COULD RESULT IN LOSS OF VEHICLE CONTROL.
## 970 GAS TANK FILLER CAP PRESSURE RELIEF VALVE MAY CAUSE EXCESSIVE PRESSURE TO BUILD UP IN THE GAS TANK. THIS MAY CAUSE ENGINE FLOODING AND STALLING.
## 971 On certain vehicles, a defect in the ignition switch could allow the switch to move out of the run position if the key ring is carrying added weight or the vehicle goes off-road or is subjected to some other jarring event. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; For each key, dealers will install two key rings and modify the key ring opening shape. Note; Until the correction is performed, all items should be removed from the key ring.
## 972 DUE TO AN INSUFFICIENT HEIGHT DIFFERENTIAL BETWEEN THE GAS AND BRAKE PEDAL THERE IS A POSSIBILITY THAT A DRIVER MIGHT STEP SIMULTANEOUSLY ON BOTH PEDALS AND CONSEQUENTLY LOSE CONTROL OF THE VEHICLE. 1978 - 83 AUDI 5000 WITH AUTOMATIC TRANSMISSIONS.
## 973 NOTE; VEHICLES WITH 3.0 LITRE ENGINE. THESE VEHICLES MAY NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS. THROTTLE POSITION SENSOR MAY WEAR PREMATURELY CAUSING INTERRUPTION OF THE SENSOR SIGNAL. CORRECTION; THROTTLE POSITION SENSOR WILL BE INSPECTED AND REPLACED IF NECESSARY.
## 974 On certain vehicles operated in areas of heavy road salt usage, the front impact sensors may corrode between the sensor bushing and sensor bracket. Over time, the corrosion may cause a crack to develop in the sensor case allowing water intrusion and short circuit of the sensor. This could result in delayed deployment of the driver and passenger front airbags during a vehicle crash, increasing the risk of personal injuries or death. Correction; Dealers will replace the front impact sensors.
## 975 On certain vehicles, if doors fail to latch properly in the primary or secondary closed position, there would be no indication provided to vehicle occupants of the unlatched door condition. This could result in a door opening while the vehicle is in motion, which could increase the risk of injury to a vehicle occupant seated next to the door, or result in damage to property. Correction; Dealers will update the vehicle software.
## 976 NOTE; VEHICLES EQUIPPED WITH CUMMINS B AND C SERIES ENGINES.THE FAN BLADES MAY EXPERIENCE STRESS LEVELS HIGHER THAN ANTICIPATED WHICH CAN CAUSE FATIGUE CRACKS AND EVENTUALLY SEPARATION OF THE FAN BLADE. THIS CAN RESULT IN INJURY TO PERSONS IN THE VICINITY OF THE FAN AT THE TIME OF FAILURE.CORRECTION; FANS WILL BE REMOVED AND REPLACED WITH A NEW DESIGN FAN WHICH IS MORE DURABLE.
## 977 On certain vehicles, the drive axle differential seal may leak (note that all-wheel drive vehicles have two seals). Reduced lubrication may cause the differential to become noisier. Continued use may cause damage to bearings and other differential components. Three conditions could occur; 1). When the vehicle is stopped and shifted to reverse, the differential may jam and prevent vehicle movement. 2). the damage can cause drag that will feel like the parking brake is applied; or 3) the differential could jam and lock the drive wheels while the vehicle is underway. Should the latter occur, it could result in a loss of vehicle control and a crash, causing injury or death. Correction; Dealers will replace the drive axle differential seal(s).
## 978 On certain trucks, the trunnion ears on the cab tilt cylinders pivot may fail while the cab is being raised or lowered for vehicle servicing or maintenance. This would allow the cab to drop until the safety flow velocity fuses engage and stop cab movement. A person in the path of the moving cab may be injured as a result. Correction; Dealers will install safety signs instructing operators to stand clear of cab while it is being tilted.
## 979 On certain trucks, the trunnion ears on the cab tilt cylinders pivot may fail while the cab is being raised or lowered for vehicle servicing or maintenance. This would allow the cab to drop until the safety flow velocity fuses engage and stop cab movement. A person in the path of the moving cab may be injured as a result. Correction; Dealers will install safety signs instructing operators to stand clear of cab while it is being tilted.
## 980 On certain trucks, the brake pedal assembly used in the right hand station of vehicles built with dual drive option, may have been improperly welded. The weld that attaches the pivot pin boss to the brake pedal may fail. This condition, if present, would leave the vehicle operator without normal braking control and could result in a vehicle crash. Correction; Brake pedal assembly will be replaced.
## 981 ANTI-WHEEL LOCK VALVES SUPPLIED BY EATON CORPORATION MAY BE EXPOSED TO ACCUMULATED CONCENTRATIONS OF FLUID CONTAMINANTS IN THE AIR BRAKE SYSTEM THAT COULD CAUSE THE PISTON TO STICK THEREBY PREVENTING ANY AIR FROM BEING DELIVERED TO THE AIR BRAKE CHAMBERS SUPPLIED BY THAT VALVE. LTHIS CONDITION WILL RESULT IN A NO BRAKE APPLICATION ON THE AFFECTED AXLE, THEREBY EXTENDING VEHICLE STOPPING DISTANCES.
## 982 THESE VEHICLES MAY HAVE AN E-CELL TIMER UNIT INTERFERING WITH THE ACCELERATOR PEDAL ASSEMBLY AND POSSIBLY PREVENTING THE ENGINE FROM RETURNING TO IDLE WHEN THE DRIVER HAS REMOVED HIS FOOT FROM THE ACCELERATOR PEDAL. LOSS OF ACCELERATOR CONTROL COULD RESULT IN VEHICLE CRASH WITHOUT PRIOR WARNING.
## 983 THE AXLE MOUNTED SUPPORT BRACKET FOR THE QUICK RELEASE VALVES MAY CRACK RESULTING IN THE VALVES BEING SUPPORTED ONLY BY STEEL AIR LINES. THIS COULD CAUSE FATIGUE FAILURE OF THE STEEL AIR LINES LEADING TO THE REAR PARKING BRAKES AND CHASSIS SERVICE BRAKES. THE SUDDEN LOSS OF AIR TO THE BRAKE CHAMBERS WILL RESULT IN AUTOMATIC ACTUATION OF THE SPRING LOADED REAR PARKING BRAKE AND SUDDEN REAR WHEEL LOCK-UP. THIS COULD RESULT IN LOSS OF VEHICLE CONTROL AND A CRASH WITHOUT PRIOR WARNING.
## 984 On certain motorcycles, the proximity of the rear brake lamp switch to the exhaust system may induce heat into the brake switch that is beyond its temperature design limit. This could affect brake lamp function and/or cause a brake fluid leak through the switch. Failure of the brake lamp to illuminate when the brakes are applied may result in the following road users being unaware of the riders intentions, increasing the risk of a crash. Brake fluid leakage could result in the loss of rear brake function which, in conjunction with traffic and road conditions, and the riders reactions, could increase the risk of a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will replace the rear brake lamp switch with an updated version.
## 985 THE BOLTS SECURING THE FRONT HOOD LATCH MAY LOSE THEIR SPECIFIED FASTENING TORQUE OVER TIME. SHOULD THIS HAPPEN, THE LATCH COULD MOVE OUT OF ITS DESIGN POSITION AND CAUSE DISENGAGEMENT OF THE HOOD STRIKER FROM THE LATCH. IN SOME VEHICLES THE LATCH MAY NOT HAVE BEEN PROPERLY ALIGNED DURING PRODUCTION. REPEATED OPENING AND CLOSING OF THE HOOD WITH AN IMPROPERLY ALIGNED LATCH COULD RESULT IN DAMAGE TO THE LATCH. EITHER CONDITION COULD RESULT IN HOOD FLY UP AND OBSTRUCTION OF THE DRIVERS VISION.CORRECTION; HOOD LATCHES AND SECURING BOLTS WILL BE INSPECTED AND REPLACED IF NECESSARY.
## 986 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 987 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2014-587. Correction; Dealers will replace the airbag module.
## 988 On certain motorcycles, the front brake lines (due to its current routing) may be under strain. The vibrations that occur when the motorcycle is being ridden could cause the brake lines to develop leaks, allowing brake fluid to escape and cause the level of fluid in the reservoir of the front brake system to drop. Brake fluid leakage could result in loss of front braking capability, which could lead to a crash causing property damage, personal injury or death. Correction; Dealers will replace the front brake lines.
## 989 On certain fire trucks, front tire valve stems may wear against the brake calipers, potentially resulting in a leak and tire air loss without warning while the vehicle is in motion. This could affect vehicle handling, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will inspect and replace valve stems.
## 990 Note; Station wagon vehicles only. Young children left unattended in the vehicle could lock themselves in the footwell area of the rear-facing third seat (or the underfloor storage compartment in station wagons not equipped with the optional third seat). Once the compartment is closed, it cannot be opened from the inside, and there is the danger of air deprivation, excessive body heat and panic response to a child who may have closed himself or herself in the compartment. Correction; A modified latch will be installed which does not have a self-latching feature and allows the compartment cover to be pushed open from the inside.
## 991 On certain vehicles operated in areas of heavy road salt usage (Ontario, Quebec, New Brunswick, Nova Scotia, Prince Edward Island, and Newfoundland and Labrador], road salt can collect in the rear portion of the side members of the subframe and may result in internal corrosion leading to thinning or perforation of the subframe steel. The corrosion may ultimately lead to separation of the lower control arm at the forward mounting point to the subframe. When separation occurs, in most cases, the movement of the arm will cause the axle to pull out of the transaxle and the vehicle will no longer have drive power to the wheels. In extreme cases, the wheel can also rotate off its designed axis and make contact with the fender or the wheel well. Both outcomes could result in a loss of vehicle control and a crash causing property damage, personal injury or death. Correction; Dealers will inspect and, if necessary, replace the front subframe assembly. Should the subframe not require replacement, drainage holes will be added, as well as treatment with rust-proofing material to arrest the corrosion process.
## 992 On certain vehicles, the left rear door child lock may not engage when the operator uses normal turning force to activate the child lock, and the operator may incorrectly believe the child lock is engaged. Without the child lock engaged, the door can be opened using the inside door handle. This condition could potentially increase the risk of injury to an unrestrained child. Correction; Dealers will inspect the door latch and replace if necessary.
## 993 On certain vehicles, the brake rotor fixing screws may fail. This could result in reduced braking performance, which could increase stopping distances and increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will replace the screws with an updated design.
## 994 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 995 On certain vehicles, the Bosch Zero Offset Pin Slide (ZOPS) hydraulic disc brakes may experience calipers sticking in the applied position, which can result in excessive or abnormal heat generation at one or more of the brakes. In bus applications, the combination of the following factors may collectively result in an unreasonable risk to motor vehicle safety; potential fire at a wheel end, high incident rates of stuck calipers, and evacuation and containment concerns relating to multiple passengers. Correction; Dealers will affect repairs. This is an expansion of Recall 2003053.
## 996 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall is superseded by recall 2015269. Please see recall 2015269 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015269>Click here for more information</a>
## 997 NOTE; VEHICLES EQUIPPED WITH MANUAL TRANSMISSIONINCLUDES 1995 SAAB 900 CONVERTIBLES.DEFECT; IT IS POSSIBLE UNDER CERTAIN PARKING CONDITIONS TO MOVE THE SHIFT LEVER INTO THE REVERSE GEAR POSITION, REMOVE THE IGNITION KEY, AND STILL HAVE THE TRANSMISSION IN NEUTRAL, OR, TO ACCIDENTALLY DISENGAGE REVERSE BY STRIKING THE SHIFT LEVER. IF THE HAND BRAKE IS NOT APPLIED, IT IS POSSIBLE TO HAVE THE CAR ROLL FROM ITS ORIGINAL PARKED POSITION.CORRECTION; TWO WASHERS WILL BE REPLACED AND THE SHIFT LINKAGE WILL BE ADJUSTED.
## 998 Certain vehicles may have an improperly formed master cylinder to hydraulic control unit brake tube assembly end-flare that could lead to a loss of brake fluid and reduced braking performance. This could increase stopping distances, possibly resulting in a crash causing property damage and/or personal injury. Correction; Dealers will replace the suspect brake tubes.
## 999 THIS RECALL COVERS TWO(2) DEFECTS. (1) - INSUFFICIENT CLEARANCE OF THE SECONDARY HOOD LATCH MECHANISM COULD CAUSE THE SECONDARY LATCH TO BIND WHICH COULD RESULT IN A PREMATURE SUDDEN OPENING OF THE HOOD WHILE THE VEHICLE IS IN MOTION. THIS COULD RESULT IN LOSS OF DRIVER CONTROL AND A VEHICLE CRASH. (2) - A CLIP ON A COOLANT HOSE COULD TOUCH A FUEL HOSE RESULTING IN ABRASION OF THE FUEL HOSE AND FUEL LEAKAGE. IN THE PRESENCE OF AN IGNITION SOURCE A VEHICLE FIRE COULD RESULT. CORRECTION; (1) - HOOD STRIKER ASSEMBLY WILL BE REPLACED. (2) - COOLANT HOSE CLIP WILL BE REPOSITIONED.
## 1000 On certain vehicles, the driver frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Note; This recall supersedes special service campaign 2014567. Correction; Dealers will inspect/replace the drivers frontal airbag inflator. All vehicles having received a replacement inflator as part of any previous drivers inflator campaign will have a replacement inflator installed. Note; Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 1001 Certain vehicles may have internal fluid leaks in the brake hydraulic control unit. When the rear brake proportioning, antilock brake, traction control, or stability control feature is activated in some driving situations, the feature may not perform as designed and the driver could lose vehicle control. Correction; ABS hydraulic modulator unit will be inspected and replaced if necessary.
## 1002 On certain vehicles, the parking brake system may contain a non-functional parking brake adjuster. This may result in a gradual loss of parking brake effectiveness as the rear disc pads wear. As a result, the parking brake may not hold the vehicle on a steep incline. If the vehicle is parked with the transmission in neutral or a forward gear, the vehicle may roll away and result in personal injury or property damage. Correction; A new parking brake adjuster will be installed.
## 1003 On certain vehicles, the Wireless Ignition Node (a.k.a ignition switch) may allow the ignition key to inadvertently move from the ON position to the accessory (ACC) position while driving, causing the engine to shut off. This would result in a loss of motive power, power steering and power brakes, and would disable the airbags as well as other supplemental restraint systems (SRS). Increased steering and braking effort and a loss of motive power could increase the risk of a crash causing injury and/or damage to property. Loss of airbag/SRSfunction in a crash that warrants airbag deployment and/or other supplemental restraint system function could increase the risk of injury to vehicle occupants. Correction; Dealers will install a revised WIN module and frequency operated button ignition key(FOBIK). Note; Until the correction is performed, owners are advised to remove all objects from the FOBIK (Ignition Key) such as additional keys, key chains, etc, leaving only the FOBIK (ignition key). After starting the vehicle, drivers should ensure that the key is securely and correctly aligned in the ON position before driving the vehicle. Note;This recall supersedes recalls 2011096 and 2014261. Vehicles having been serviced as part of these previous recalls will require re-inspection and repair.
## 1004 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 1005 On certain vehicles, the Wireless Ignition Node (a.k.a ignition switch) may allow the ignition key to inadvertently move from the ON position to the accessory (ACC) position while driving, causing the engine to shut off. This would result in a loss of motive power, power steering and power brakes, and would disable the airbags as well as other supplemental restraint systems (SRS). Increased steering and braking effort and a loss of motive power could increase the risk of a crash causing injury and/or damage to property. Loss of airbag/SRSfunction in a crash that warrants airbag deployment and/or other supplemental restraint system function could increase the risk of injury to vehicle occupants. Correction; Dealers will install a revised WIN module and frequency operated button ignition key(FOBIK). Note; Until the correction is performed, owners are advised to remove all objects from the FOBIK (Ignition Key) such as additional keys, key chains, etc, leaving only the FOBIK (ignition key). After starting the vehicle, drivers should ensure that the key is securely and correctly aligned in the ON position before driving the vehicle. Note;This recall supersedes recalls 2011096 and 2014261. Vehicles having been serviced as part of these previous recalls will require re-inspection and repair.
## 1006 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 1007 On certain vehicles, the slack adjuster housings may have been manufactured incorrectly, which could allow the housings to fracture and fail. As a result, the wheel brake to which the slack adjuster is attached would no longer function, which could increase vehicle stopping distances. Should a steer axle slack adjuster fail, it could also cause the vehicle to pull to one side during braking. Either problem could result in a crash causing property damage and/or personal injury. Correction; Dealers will inspect and, if necessary, replace the slack adjusters.
## 1008 Certain trucks equipped with Bendix SR-7 spring brake modulating valves may experience an internal air leak if the check valve fails to seat. This may cause a delay in the application of the parking spring brakes leading to an unintended vehicle rollaway. Correction; Dealers will inspect and replace the valves as required.
## 1009 MEDIUM DUTY TRUCKS EQUIPPED WITH DETROIT DIESEL ALLISON 4 CYLINDER ENGINES. VEHICLES MAY HAVE THE ACCELERATOR CROSS SHAFT SUPPORT BRACKET INSTALLED INA REVERSE END TO END POSITION. THIS CONDITION COULD CAUSE A SLIGHT BIND IN THE ACCELERATOR LINKAGE RESULTING IN A RETURN TO IDLE TIME IN EXCESS OF THE TIME LIMIT SPECIFIED BY CANADA MOTOR VEHICLE SAFETY STANDARD 124 - ACCELERATOR CONTROL SYSTEM.
## 1010 THE FRONT AIR BRAKE HOSE MAY CONTACT THE INNER FENDER ON THE LEFT AN/OR RIGHT SIDE POSSIBLY CAUSING THE BRAKE HOSE TO RUB THROUGH. THIS WOULD CAUSE A LOSS OF AIR PRSSURE UPON BRAKE APPLICATION AND A REDUCTION OF BRAKING ABILITY. THIS COULD RESULT IN A VEHICLE CRASH WITHOUT PRIOR WARNING.
## 1011 On certain vehicles, the Wireless Ignition Node (a.k.a ignition switch) may allow the ignition key to inadvertently move from the ON position to the accessory (ACC) position while driving, causing the engine to shut off. This would result in a loss of motive power, power steering and power brakes, and would disable the airbags as well as other supplemental restraint systems (SRS). Increased steering and braking effort and a loss of motive power could increase the risk of a crash causing injury and/or damage to property. Loss of airbag/SRSfunction in a crash that warrants airbag deployment and/or other supplemental restraint system function could increase the risk of injury to vehicle occupants. Correction; Dealers will install a revised WIN module and frequency operated button ignition key(FOBIK). Note; Until the correction is performed, owners are advised to remove all objects from the FOBIK (Ignition Key) such as additional keys, key chains, etc, leaving only the FOBIK (ignition key). After starting the vehicle, drivers should ensure that the key is securely and correctly aligned in the ON position before driving the vehicle. Note;This recall is an expansion of recall 2011096.
## 1012 Certain medium duty tilt cab trucks equipped with manual transmissions. Some of these vehicles have a condition in which the clutch master-cylinder pushrod end that attaches to the clutch pedal pin can wear prematurely. The first noticeable effect of this wear could be the clutch pedal not returning completely to the full-up position. If this occurs, the fast-idle engine speed control may not function. If the clutch master-cylinder pushrod end wears sufficiently to allow the attaching end to bend open or break off, the pedal pin would detach from the clutch rod link and the clutch would engage. If clutch engagement occurred while the vehicle was stopped, with the engine running and the transmission in gear, and if the brakes were not applied, the vehicle could move forward if the transmission were in a forward gear, or rearward if the transmission were in a reverse gear. Correction; Dealers will install a new clutch master-cylinder assembly and clutch pedal assembly.
## 1013 On certain vehicles, the Wireless Ignition Node (a.k.a ignition switch) may allow the ignition key to inadvertently move from the ON position to the accessory (ACC) position while driving, causing the engine to shut off. This would result in a loss of motive power, power steering and power brakes, and would disable the airbags as well as other supplemental restraint systems (SRS). Increased steering and braking effort and a loss of motive power could increase the risk of a crash causing injury and/or damage to property. Loss of airbag/SRSfunction in a crash that warrants airbag deployment and/or other supplemental restraint system function could increase the risk of injury to vehicle occupants. Correction; Dealers will install a revised WIN module and frequency operated button ignition key(FOBIK). Note; Until the correction is performed, owners are advised to remove all objects from the FOBIK (Ignition Key) such as additional keys, key chains, etc, leaving only the FOBIK (ignition key). After starting the vehicle, drivers should ensure that the key is securely and correctly aligned in the ON position before driving the vehicle. Note;This recall is an expansion of recall 2011096.
## 1014 Certain vehicles may not comply with Canada Motor Vehicle Safety Standard 208 - Occupant Protection in Frontal Impacts. Prescribed text may have been omitted from the airbag warning label in the French language only. As a result, the French-language warning label is more restrictive than the English. Correction; No corrective recall action is required as this technical non-compliance is deemed to be non-safety related.
## 1015 CARBURETOR THROTTLE SHAFTS MAY BE SUSCEPTIBLE TO DIRT CONTAMINATION AND WEAR OF THE BEARING COATINGS. THIS COULD CAUSE THE SECONDARY THROTTLE PLATES TO REMAIN PARTIALLY OPEN AFTER THE DRIVER HAS RELEASED THE ACCELERATOR PEDAL. THIS THIS WERE TO OCCUR, ENGINE SPEED WOULD NOT RETURN TO IDLE POTENTIALLY AFFECTING VEHICLE CONTROL AND STOPPING DISTANCES.
## 1016 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1105 - EVAPORATIVE EMISSIONS. FUEL VAPOUR RETURN LINE HOSES IN ENGINE COMPARTMENT MAY NOT BE CONNECTED. CORRECTION; VEHICLES WILL BE INSPECTED AND HOSES CONNECTED WHERE NECESSARY. NOTE; ALL VEHICLES WERE COMPLETED PRIOR TO SALE.
## 1017 Certain medium duty tilt cab trucks equipped with manual transmissions. Some of these vehicles have a condition in which the clutch master-cylinder pushrod end that attaches to the clutch pedal pin can wear prematurely. The first noticeable effect of this wear could be the clutch pedal not returning completely to the full-up position. If this occurs, the fast-idle engine speed control may not function. If the clutch master-cylinder pushrod end wears sufficiently to allow the attaching end to bend open or break off, the pedal pin would detach from the clutch rod link and the clutch would engage. If clutch engagement occurred while the vehicle was stopped, with the engine running and the transmission in gear, and if the brakes were not applied, the vehicle could move forward if the transmission were in a forward gear, or rearward if the transmission were in a reverse gear. Correction; Dealers will install a new clutch master-cylinder assembly and clutch pedal assembly.
## 1018 DEFECT; THE MECHANICAL PARKING BRAKE LEVER MAY NOT TRAVEL FAR ENOUGH OVER CENTER TO ASSURE THAT IT REMAINS IN THE APPLIED POSITION. IF THE VEHICLE WAS JARRED THE BRAKE LEVER COULD RELEASE, RESULTING IN A POSSIBLE ROLLAWAY.CORRECTION; REMOVE AND REPLACE THE PARKING BRAKE LEVER WITH A BRAKE LEVER THAT HAS 10 DEGREES OVER CENTER TRAVEL AND REQUIRES A 25 LB. EFFORT TO RELEASE.
## 1019 On certain truck-mounted telescopic articulating aerial devices, the counterweight may come loose and fall while the vehicle is in motion. A counterweight separting from the vehicle could strike another vehicle, stationary object, or bystander, causing property damage and/or personal injury. Correction; Authorized service centers will secure the counterweights.
## 1020 Certain vehicles do not comply with the requirements of CMVSS 121. A standard fitting was installed in place of a single check valve on the park brake relay valve. A single point failure in the primary air circuits will cause the entire air system to bleed down without this check valve. Correction; Dealer will install a check valve in place of the standard fitting.
## 1021 On certain vehicles equipped with manual transmissions, if parked with the parking brake not fully applied and not in first gear, as directed in the Owner Guide, and the self adjustment pawl subsequently skips one or two teeth, the vehicle could move on some grades. This could result in unintended vehicle movement and a vehicle crash without prior warning. Correction; Dealers will modify the parking brake control and install a plate or over-bracket to the control to lock the self adjust mechanism in position following adjustment.
## 1022 On certain vehicles, a defect in the ignition switch could allow the switch to move out of the run position if the key ring is carrying added weight or the vehicle goes off-road or is subjected to some other jarring event. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; For each key, dealers will install two key rings and modify the key ring opening shape. Note; Until the correction is performed, all items should be removed from the key ring.
## 1023 HEAVY DUTY TRUCKS EQUIPPED WITH AIR BRAKES AND A 427 C.I.D. GASOLINE ENGINE OR A 6 OR 8 CYLINDER DETROIT DIESEL ALLISON ENGINE. VEHICLES MAY HAVE BEEN BUILT WITH IMPROPERLY CONNECTED (INTERCHANGED) COPPER BRAKE APPLICATION VALVE AIR LINES. SHOULD A MAJOR AIR LEAK DEVELOP IN THE REAR BRAKE SYSTE, THE VEHICLE COULD EXPERIENCE A LOSS OF SERVICE BRAKES WITHOUT PRIOR WARNING.
## 1024 On certain vehicles, the drivers airbag inflator could produce excessive internal pressure. If an affected airbag deploys, the increased internal pressure may cause the inflator to rupture and metal fragments could pass through the airbag cushion material and cause injury to vehicle occupants. Correction; Dealers will replace airbag inflator.
## 1025 HEAVY DUTY TRUCKS EQUIPPED WITH AIR BRAKES AND A 427 C.I.D. GASOLINE ENGINE OR A 6 OR 8 CYLINDER DETROIT DIESEL ALLISON ENGINE. VEHICLES MAY HAVE BEEN BUILT WITH IMPROPERLY CONNECTED (INTERCHANGED) COPPER BRAKE APPLICATION VALVE AIR LINES. SHOULD A MAJOR AIR LEAK DEVELOP IN THE REAR BRAKE SYSTE, THE VEHICLE COULD EXPERIENCE A LOSS OF SERVICE BRAKES WITHOUT PRIOR WARNING.
## 1026 Certain vehicles may have an improperly formed master cylinder to hydraulic control unit brake tube assembly end-flare that could lead to a loss of brake fluid and reduced braking performance. This could increase stopping distances, possibly resulting in a crash causing property damage and/or personal injury. Correction; Dealers will replace the suspect brake tubes.
## 1027 THE HEATER CORE END CAP MAY FAIL DUE TO MATERIAL DETERIORATION. THIS WILL ALLOW DISCHARGE OF HOT ENGINE COOLANT AND STEAM IN THE VICINITY OF THE DRIVERS RIGHT FOOT.CORRECTION; HEATER CORE WILL BE REPLACED WITH ONE HAVING A DIFFERENT DESIGN WHICH WILL NOT BE SUBJECT TO STRENGTH DETERIORATION.
## 1028 TRUCKS EQUIPPED WITH ALLISON MT650 TRANSMISSIONS. TRANSMISSION GOVERNOR ASSEMBLIES MAY CONTAIN NYLON CHIPS WHICH WOULD PLUG THE GOVERNOR VALVE OIL PORT. IF THIS OCCURS, THE TRANSMISSION COULD DOWNSHIFT AUTOMATICALLY TO ITS LOWEST GEAR, OVERSPEEDING THE TRANSMISSION AND ENGINE. OVERSPEEDING OF THE TRANSMISSION MAY CAUSE TRANSMISSION COMPONENTS TO BREAK AND FLYING FRAGMENTS COULD CAUSE INJURY TO THE DRIVER, PASSENGERS AND OTHERS. DAMAGE TO OTHER VEHICLE COMPONENTS/EQUIPMENT COULD CAUSE VEHICLE CONTROLLABILITY PROBLEMS.
## 1029 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 1030 On certain 318I, 318IS, 325I, 325IS, 525I, 525IT, 535I, 735I, 735IL, 750IL, 850I and M5, the locking tab for the airbag contact ring in the steering wheel assembly could break without warning. If this happens it is possible that the contact ring wiring could break. This would cause the readiness indicator lamp (SRS or AIRBAG) to illuminate and in such a case the airbag would not be available for deployment in a frontal impact. Correction; Locking tab will be replaced with one of a different design.
## 1031 A combination of no bolt torque, high pressure in the strut and a severe duty cycle can create the potential for the liftgate strut attaching bolts to separate. This could result in injury to persons standing under the liftgate at the time of failure. Correction; Liftgate struts will be inspected for loose fasteners. If fasteners are loose, the strut (and integral bolts) will be replaced. If the bolt shows evidence of torque, the bolt will be removed, large washers will be installed and bolt will be torqued to specification.
## 1032 ON THE DETROIT DIESEL SERIES 60 ENGINE, THE MAIN ELECTRICAL POWER HARNESS WAS MISROUTED AND CONNECTED IN A MANNER THAT BYPASSED A FUSIBLE ELEMENT. IN THE EVENT OF AN ELECTRICAL SHORT IN THIS HARNESS, THE CIRCUIT IS NOT FUSE PROTECTED, WHICH COULD CREATE THE POTENTIAL FOR A FIRE. CORRECTION; POWER HARNESS WILL BE REROUTED AND RECONNECTED TO THE SPECIFIED FUSE PROTECTED POWER SOURCE.
## 1033 A WIRE INSIDE THE ELECTRIC MOTOR DRIVEN GEARBOX ACTUATOR MAY COME INTO CONTACT WITH THE INNER FACE OF THE ASSEMBLY CASE, CAUSING FRETTING OF THE WIRE AND ALSO CAUSING THE FUSE PROTECTING THE CIRCUIT TO BLOW IF THIS OCCURS IT WOULD NOT BE POSSIBLE TO ENGAGE THE DESIRED GEAR RANGE AND MAY NOT BE POSSIBLE TO RESTART THE VEHICLE AFTER THE ENGINE HAS BEEN SWITCHED OFF. IF PARK IS NOT ENGAGED AND THE DRIVER DOES NOT APPLY THE PARKING BRAKE, A ROLL AWAY COULD OCCUR. CORRECTION; AFFECTED WIRE WILL BE REPOSITIONED.
## 1034 On certain vehicles equipped with a hydraulic brake booster, an incorrect switch may have been installed, potentially disabling brake warning lights in the instrument panel. As a result, warning lights may fail to illuminate in the event of a reduction in brake power assist, causing an unexpected increase in braking effort, which could increase stopping distances and increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will install the correct switch.
## 1035 1976 PLYMOUTH VOLARE AND FURY, 1976 DODGE ASPEN, CHARGER AND CORONET AND 1976 CHRYSLER CORDOBA VEHICLES WITH POWER BRAKES. THE POWER BRAKE BOOSTER MAY CONTAIN SILENCER PADS THAT RESTRICT THE INPUT AIR DUE TO EXCESSIVE SILENCER MATERIAL DENSITY. THIS CAN CAUSE BRAKING ACTION DELAY AND RESULT IN INCREASED STOPPING DISTANCES.
## 1036 A WIRE INSIDE THE ELECTRIC MOTOR DRIVEN GEARBOX ACTUATOR MAY COME INTO CONTACT WITH THE INNER FACE OF THE ASSEMBLY CASE, CAUSING FRETTING OF THE WIRE AND ALSO CAUSING THE FUSE PROTECTING THE CIRCUIT TO BLOW IF THIS OCCURS IT WOULD NOT BE POSSIBLE TO ENGAGE THE DESIRED GEAR RANGE AND MAY NOT BE POSSIBLE TO RESTART THE VEHICLE AFTER THE ENGINE HAS BEEN SWITCHED OFF. IF PARK IS NOT ENGAGED AND THE DRIVER DOES NOT APPLY THE PARKING BRAKE, A ROLL AWAY COULD OCCUR. CORRECTION; AFFECTED WIRE WILL BE REPOSITIONED.
## 1037 On certain trucks equipped with Bendix ATR-6 Antilock Traction Relay valves, in extremely cold conditions (at or below -18 degrees Celsius], internal ATR valve leakage can occur. This could cause unintended brake application, which could overheat the affected brakes and cause a fire. Also, in certain low traction conditions, unexpected brake application can cause a loss of vehicle control and a crash. These issues could result in property damage and/or personal injury. Correction; Dealers will update the cover assembly on the ATR valves.
## 1038 ANTI-WHEEL LOCK VALVES SUPPLIED BY EATON CORPORATION MAY BE EXPOSED TO ACCUMULATED CONCENTRATIONS OF FLUID CONTAMINANTS IN THE AIR BRAKE SYSTEM THAT COULD CAUSE THE PISTON TO STICK THEREBY PREVENTING ANY AIR FROM BEING DELIVERED TO THE AIR BRAKE CHAMBERS SUPPLIED BY THAT VALVE. LTHIS CONDITION WILL RESULT IN A NO BRAKE APPLICATION ON THE AFFECTED AXLE, THEREBY EXTENDING VEHICLE STOPPING DISTANCES.
## 1039 On certain vehicles, increased clockspring terminal resistance or a back-winding condition of the clockspring may cause the airbag warning lamp to illuminate. Until the problem is remedied, the drivers airbag will not deploy as required in a frontal crash, increasing the risk of injury to the seat occupant. Correction; Dealers will replace the clockspring assembly on vehicles with less than 115 000 kms. Owners of vehicles with over 115 000 kms will be offered extended lifetime warranty on the clockspring.
## 1040 On certain vehicles, a defect in the ignition switch could allow the switch to move out of the run position if the key ring is carrying added weight or the vehicle goes off-road or is subjected to some other jarring event. If this were to occur, engine power, power steering and power braking would be affected, increasing the risk of a crash causing injury and/or damage to property. The timing of the key movement out of the run position, relative to the activation of the sensing algorithm of the crash event, may also result in the airbags not deploying in a subsequent collision, increasing the risk of injury. Correction; For each key, dealers will install two key rings and modify the key ring opening shape. Note; Until the correction is performed, all items should be removed from the key ring.
## 1041 On certain vehicles, the ignition key interlock cable may have been improperly manufactured. This could allow the automatic transmission gear selector lever to be moved out of the PARK position with the key removed from the ignition switch. If the park brake is not applied, and the gear shift lever is moved out of PARK, the vehicle may roll and result in a vehicle crash. Correction; Dealers will inspect and, if required, replace the interlock cable.
## 1042 On certain vehicles, a structural support at the latch attachment in the rear liftgate may be inadequate to retain the latch to the liftgate in certain severe vehicle crash events. If the liftgate were to open in a vehicle crash, an occupant could be ejected from the vehicle resulting in increased risk of personal injury. Correction; Dealer will add structural reinforcements to the liftgate in the area adjoining the latch assembly..
## 1043 On certain vehicles, the steering wheel clock spring could become contaminated with long hair or long fibers which may cause a displacement of the internal guide loops. When the guide loops are dragged out of position, they may apply tension to the internal flat cable and cause it to tear. Should the cable tear, the electrical connection to the drivers front airbag may be lost, causing the airbag monitoring indicator light to illuminate. Failure of the drivers airbag to deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will affect repairs.
## 1044 On certain vehicles, the drivers airbag inflator could produce excessive internal pressure. If an affected airbag deploys, the increased internal pressure may cause the inflator to rupture and metal fragments could pass through the airbag cushion material and cause injury to vehicle occupants. Correction; Dealers will replace airbag inflator. Note; Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 1045 Fiat Chrysler Automobiles (FCA) Canada is conducting a voluntary Safety Improvement Program involving Takata passenger airbag inflators installed in certain vehicles that were originally sold or ever registered in certain high humidity areas of the United States. Fiat Chrysler Automobiles (FCA) will replace the passenger inflator on affected vehicles. Owners who believe their vehicles may have been originally purchased or registered in Florida, Hawaii, Puerto Rico, U.S. Virgin Islands, Texas, Mississippi, Alabama, Louisiana, Georgia, Guam, American Samoa and Saipan should contact a Fiat Chrysler Automobile (FCA) dealer. This action is not being conducted under the requirements of the Motor Vehicle Safety Act.
## 1046 Chrysler Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Chrysler Canada will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015228. Please see recall 2015228 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015228>Click here for more information</a>
## 1047 On certain vehicles, a manufacturing defect could affect the functioning of the electric brake actuator, illuminating various warning lights in the instrument panel of the vehicle and disabling the antilock braking system (ABS], traction control and vehicle stability control systems. This could increase the risk of a crash causing injury and/or property damage. Correction; Dealers will update the vehicle stability control ECU software and affect repairs as necessary.
## 1048 On certain vehicles, bolts securing the drivers front airbag to the steering wheel may have been insufficiently tightened. This could allow the airbag to become loose or detach from the steering wheel, which could affect airbag deployment and increase the risk of injury in a crash. Correction; Dealers will verify bolt torque.
## 1049 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 105 - HYDRAULIC BRAKE SYSTEMS AND C.M.V.S.S 201 - OCCUPANT PROTECTION. THE EFFORT TO APPLY THE HANDBRAKE LEVER IS GREATER THAN 80 POUNDS AND THE GLOVE BOX DOOR MAY OPEN ON VEHICLE IMPACT. CORRECTION; A LONGER HANDBRAKE LEVER WILL BE INSTALLED AS WELL AS AN IMPROVED GLOVE BOX LATCH.
## 1050 On certain vehicles, the passenger frontal airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will replace airbag inflator. Note; Honda Canada has created a special Airbag Inflator Hotline for immediate assistance. For more information, please contact; For Honda Owners; 1-877-445-7754For Acura Owners; 1-877-445-9844
## 1051 On certain motorcycles, corrosion could form inside the front brake master cylinder, which could cause a spongy brake feel. This could potentially lead to extended stopping distances, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will install a redesigned front brake master cylinder.
## 1052 On certain motorcycles, corrosion could form inside the front brake master cylinder, which could cause a spongy brake feel. This could potentially lead to extended stopping distances, increasing the risk of a crash causing injury and/or damage to property. Correction; Dealers will install a redesigned front brake master cylinder.
## 1053 BOLTS ATTACHING THE LOWER STEERING COLUMN TO THE INTERMEDIATE STEERING COUPLING MAY COME INTO CONTACT WITH HYDRAULIC SYSTEM PIPES LOCATED ON THE LEFT HAND SIDE OF THE BODY IN THE ENGINE COMPARTMENT. THIS COULD POTENTIALLY RESULT IN A HYDRAULIC FLUID LEAK AND REDUCED BRAKING PERFORMANCE.CORRECTION; AFFECTED PIPES WILL BE REPOSITIONED TO PREVENT CONTACT BETWEEN THE PIPES AND THE BOLTS, AND ANY DAMAGED PIPES WILL BE REPLACED.
## 1054 NOTE; VEHICLES EQUIPPED WITH FORD AX4S AUTOMATIC TRANSAXLES.THE PARK PAWL SHAFT MAY HAVE BEEN IMPROPERLY POSITIONED DURING TRANSMISSION ASSEMBLY. THIS COULD RESULT IN THE PARK PAWL NOT ENGAGING WHEN THE TRANSMISSION SELECTOR IS PLACED IN THE PARK POSITION. THIS COULD ALLOW THE VEHICLE TO ROLL AS IF IN NEUTRAL IF THE VEHICLE OPERATOR DOES NOT APPLY THE PARKING BRAKE.CORRECTION; VEHICLES WILL BE INSPECTED AND IF NECESSARY THE PARK PAWL SHAFT ROLL PIN AND PARK PAWL SHAFT WILL BE REPLACED.
## 1055 THE STEEL TUBE OF THE REAR BRAKE LINE ASSEMBLY COULD FRACTURE RESULTING IN LOSS OF BRAKE FLUID AND LOSS OF REAR BRAKE. THIS WOULD REDUCE STOPPING ABILITY AND COULD RESULT IN AN ACCIDENT. CORRECTION; REAR BRAKE LINE ASSEMBLY WILL BE REPLACED ON AFFECTED VEHICLES.
## 1056 THE AIR BRAKE FOOT VALVE ON THESE VEHICLES IS PLUMBED TO THE SUPPLY RESERVOIR INSTEAD OF THE PRIMARY RESERVOIR WHICH REMOVES THE PRIMARY BRAKE SYSTEM AS A BACK-UP IN THE EVENT OF A SECONDARY SYSTEM FAILURE. IN THE EVENT OF A SECONDARY SYSTEM FAILURE, THERE WOULD BE NO AIR TO THE FOOT VALVE AND THE VEHICLE WOULD BE WITHOUT SERVICE BRAKES. THIS COULD RESULT IN LOSS OF BRAKING CONTROL AND A VEHICLE CRASH.CORRECTION; VEHICLES WILL BE RE-PLUMBED AT THE PRIMARY AIR TANK.
## 1057 VEHICLES EQUIPPED WITH 231 CU. IN. V-6 ENGINES. THE EXHAUST GAS RECIRCULATION (EGR) VALVE MAY HAVE A PLUGGED PASSAGE WHICH MAY CAUSE THE VEHICLE TO FAIL AN EMISSION INSPECTION TEST.
## 1058 FA 226 ROCKWELL FRONT STEERING AXLES MAY CONTAIN CRACKS AT THE AXLE BEAM FORGED ENDS AND THESE CRACKS MAY LEAD TO A FAILURE OF THE AXLE BEAM AND RESULT IN SEPARATION OF THE WHEEL, TIRE, BRAKE ASSEMBLY AND STEERING KNUCKLE CAUSING A LOSS OF VEHICLE CONTROL.
## 1059 On certain vehicles, the rear spindles may fracture as a result of incorrect heat treat process during vehicle assembly. Rear spindle failure could allow the wheel, tire, and brake drum assembly to separate from the vehicle. The wheel end assembly could become a hazard for other traffic. Correction; Dealers will inspect for the heat treat date code on the end of the rear spindles. Axle housings will be replaced on vehicles manufactured with spindles that have the subject date codes.
## 1060 On certain vehicles, underbody brake pipe unions may not have been tightened to specification. This could cause a loss of brake fluid, illuminating the brake warning lamp and causing the instrument cluster to display the warning message Fluid Level Low. If operated in this condition, brake system function could be affected, potentially increasing stopping distances or causing a loss of brake system function. This could increase the risk of a crash causing injury and/or damage to property. Loss of brake fluid could also affect brake pressure switch function, which could cause the vehicle to fail to start. Correction; Dealers will inspect, and if necessary, top up the brake fluid and tighten the joints to the correct torque specification.
## 1061 THE LEFT FRONT BRAKE HOSE COULD CONTACT THE FENDER LINING/RAIL AREA AND EVENTUALLY WEAR THROUGH. THIS COULD CAUSE A LOSS OF BRAKE FLUID AND A PARTIAL LOSS OF BRAKING CAPABILITY RESULTING IN INCREASED STOPPING DISTANCES. THIS COULD RESULT IN A VEHICLE CRASH. CORRECTION; LEFT FRONT BRAKE HOSE WILL BE INSPECTED FOR PROPER INSTALLATION AND REPLACED AS REQUIRED.
## 1062 Honda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Honda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act. Note; This special service campaign was replaced by recall 2015225. Please see recall 2015225 for more information; <a href=http;//wwwapps.tc.gc.ca/Saf-Sec-Sur/7/VRDB-BDRV/search-recherche/detail.aspx?lang=eng and and rn=2015225>Click here for more information</a>
## 1063 Certain vehicles equipped with HID headlamps may not comply with the requirements of Canada Motor Vehicle Safety Standard 108 - Lighting System and Retroreflective Devices. A Daytime Running Lamp (DRL) that is optically combined with a turn signal lamp must switch off when the turn signal lamp is switched on as a hazard warning signal. In the affected vehicles, the DRL overrides the hazard flashing functionality after the service brake is applied for more than 2 seconds, which is contrary to the standard. The hazard functionality returns to normal when the application of the service brake is removed. Turn signal functionality would not impacted. Failure to warn oncoming vehicles with flashing hazard lamps could increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will update vehicle software.
## 1064 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 1065 VEHICLES WITH AIR CONDITIONING AND/OR H.D. COOLING. ENGINE FAN MAY EXPERIENCE A RESONANCE CONDITION THAT WILL EVENTUALLY RESULT IN FATIGUE FAILURE. IF FAILURE OCCURS WITH THE HOOD OPEN AND ENGINE RUNNING, FRAGMENTS COULD INJURE PERSONS IN THE VICINITY.
## 1066 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 1067 TRUCKS EQUIPPED WITH MACK 6 CYLINDER ENGINES AND FLEXIBLE BLADE ENGINE COOLING FANS. THE FLEXIBLE BLADE FANS MAY DEVELOP FATIGUE CRACKS IN THE LAMINATED STIFFENER. CONTINUED ENGINE OPERATION COULD CAUSE A PIECE OF THE STIFFENER TO BREAK OFF AND BE PROPELLED OUTSIDE OF THE FAN SHROUD. A PROPELLED FRAGMENT COULD CAUSE INJURY TO SERVICE PERSONNEL IN THE VICINITY OF AN OPERATING ENGINE.
## 1068 THESE VEHICLES DO NOT COMPLY WITH C.M.V.S.S. 1103 - EXHAUST EMISSIONS. NITROUS OXIDE LEVELS EXCEED THE STANDARD. CORRECTION; OWNERS WILL BE PROVIDED WITH REVISED STARTING INSTRUCTIONS FOR THE OWNER GUIDE. CERTAIN VEHICLES WILL HAVE THE ENGINE EMISSIONS CONTROL SYSTEMS MODIFIED AND EXHAUST SYSTEM CATALYSTS REPLACED.
## 1069 On certain motorcycles, if the hand protector is twisted out of position relative to the handlebar lever, to the extent that lever and protector come into contact, there is a possibility that the handlebar lever remain continuously in the partly operated position. This is turn can cause problems with the brake function and could increase the risk of a crash. Correction; Owners will receive a loose-leaf insert as an addendum to the Riders Manual and two stickers complete with the installation instructions, or owners may have their authorised BMW motorcycle dealers do the installations for them.
## 1070 NOTE; VEHICLES UNDER 8500 LB. GVWR.THESE VEHICLES MAY HAVE BEEN BUILT WITH NON-FUNCTIONAL AIR BAG DIAGNOSTIC MODULES. IF SO EQUIPPED, THE AIR BAG SUPPLEMENTAL RESTRAINT SYSTEM AND THE AIR BAG WARNING LIGHT WOULD NOT FUNCTION. THIS COULD RESULT IN REDUCED OCCUPANT PROTECTION IN THE EVENT OF A COLLISION SEVERE ENOUGH TO ACTIVATE THE AIR BAG SUPPLEMENTAL RESTRAINT SYSTEM.CORRECTION; VEHICLES WILL BE INSPECTED AND CORRECT AIR BAG DIAGNOSTIC MODULE WILL BE INSTALLED IF NECESSARY.
## 1071 On certain vehicles, the ABS sensor wires may chafe on rotating parts, which can lead to a false signal being sent to the Bendix ABS Electronic Control Unit (ECU). This condition may cause the air ABS ECU to exhaust the air at the air brake modulators for one or more of the wheels as the vehicle decelerates from 8 to 5 miles per hour. This will result in extended stopping distances and a possible vehicle crash. Correction; ABS sensor wires will be rerouted and replaced as required.
## 1072 NOTE; VEHICLES EQUIPPED WITH 3.5 LITRE ENGINE. THE FUEL INJECTION DELIVERY SYSTEM MAY LEAK FUEL FROM SOME OF THE SEALING O-RINGS OR FROM HAIRLINE CRACKS IN THE THERMOPLASTIC FUEL INJECTION RAIL. IN THE PRESENCE OF AN IGNITION SOURCE SUCH A CONDITION COULD RESULT IN A FIRE.CORRECTION; THE NITRILE RUBBER O-RINGS WILL BE REPLACED WITH O-RINGS MADE OF AN IMPROVED MATERIAL. THE FUEL RAIL WILL ALSO BE EVALUATED AND REPLACED AS REQUIRED.
## 1073 On certain vehicles, excessive enlargement of a pilot hole in the rear brake backing plate could allow the wheel cylinder to rotate possibly leading to loss of brake fluid in the rear brakes and loss of rear braking capability.this Would result in increased stopping distances and possible crash. note; vehicles in ontario and quebec only.
## 1074 NOTE; VEHICLES EQUIPPED WITH FORD AX4S AUTOMATIC TRANSAXLES.THE PARK PAWL SHAFT MAY HAVE BEEN IMPROPERLY POSITIONED DURING TRANSMISSION ASSEMBLY. THIS COULD RESULT IN THE PARK PAWL NOT ENGAGING WHEN THE TRANSMISSION SELECTOR IS PLACED IN THE PARK POSITION. THIS COULD ALLOW THE VEHICLE TO ROLL AS IF IN NEUTRAL IF THE VEHICLE OPERATOR DOES NOT APPLY THE PARKING BRAKE.CORRECTION; VEHICLES WILL BE INSPECTED AND IF NECESSARY THE PARK PAWL SHAFT ROLL PIN AND PARK PAWL SHAFT WILL BE REPLACED.
## 1075 On certain vehicles, the stop lamp switch may fail and cause intermittent operation of the brake lights. Failure of the brake lights to illuminate when the brake pedal is depressed could result in a crash causing property damage and/or personal injury. Correction; Dealers will replace the switch.
## 1076 On certain motorcycles, the fuel tank mount system could, in the event of a collision, allow the fuel tank to become separated. Fuel tank separation could result in personal injury. Correction; Fuel tank mount system will be replaced.
## 1077 On certain motorcycles, the contacting surfaces which activate the front and rear brake light switches may become misaligned. Misalignment of either of these surfaces could cause that brake light switch to fail prematurely. If this should occur, the brake light would not function for that particular brake. This could, depending on operating conditions, result in a crash with another vehicle or vehicles. Correction; Front and brake lever will be modified, a cap will be placed on the rear brake stop bolt and the front and rear brake light switches will be replaced with a newer switch if the vehicle is not already so equipped.
## 1078 VEHICLES BUILT BETWEEN FEBRUARY 17, 1975 AND JULY 1, 1976, AND EQUIPPED WITH AIR BRAKES AND AN OPTIONAL KELSEY-HAYES ANTI-LOCK FEATURE. INTERMITTENT FIRING OF THE AIR BRAKE RELEASE VALVE CAN RESULT IN AN UNEXPECTED INCREASE IN VEHICLE STOPPING DISTANCE.+ CHASSIS EQUIPPED WITH 122 AIR BRAKES. INTERMITTENT FIRING OF THE AIR BRAKE RELEASE VALVE CAN RESULT IN AN UNEXPECTED INCREASE IN VEHICLE STOPPING DISTANCE.
## 1079 On certain vehicles equipped with Electronic Vehicle Information Centers, the steering wheel wiring harness may wear against the driver frontal airbag retainer spring, potentially resulting in an electrical short which could cause unintended driver frontal airbag deployment. Unintended airbag deployment, in a non-warranted (non-impact) situation, could result in injury and increase the risk of a vehicle crash causing injury and/or property damage. Correction; Dealers will secure the wiring harness and add protective caps to the retainer spring.
## 1080 On certain vehicles, the tunnel heat shield may drop down and rub on the drive shaft, which could eventually result in the drive shaft breaking and loss of motive power. In conjunction with traffic and road conditions and driver reactions, this could increase the risk of a crash. A broken drive shaft could also impact the tunnel with sufficient force to cause airbag deployment. Unintended airbag deployment, in a non-warranted (non-impact) situation could startle the driver which could result in a vehicle crash causing property damage and/or personal injury. In some instances, inadvertent deployment could cause minor injuries to vehicle occupants. Correction; Dealers will install a heat shield support bracket.
## 1081 THE SECONDARY HOOD LATCH MAY NOT BE PROPERLY ADJUSTED, POSSIBLY RESULTING IN THE SECONDARY HOOD LATCH BECOMING BENT. A BENT SECONDARY HOOD LATCH CAN LEAD TO A CONDITION WHERE FULL PRIMARY LATCH ENGAGEMENT IS NOT ATTAINED RESULTING IN THE POSSIBILITY OF HOOD FLY-UP WHILE THE VEHICLE IS IN MOTION.CORRECTION; DEALERS WILL REPLACE THE PRIMARY HOOD LATCH, THE SECONDARY HOOD LATCH AND THE LATCH SUPPORT BRACKET.
## 1082 INADEQUATE WELD ATTACHMENT OF THE FRONT FRAME RAILS TO THE DASH PANEL MAY RESULT IN CRACKING OF THE DASH PANEL AROUND THE SHOCK TOWER AND FLOOR PAN AREA. THIS MAY COMPROMISE THE VEHICLES IMPACT PROTECTION CAPABILITY.CORRECTION; DASH PANEL WILL BE SECURED TO THE FRAME RAILS BY ADDING ADDITIONAL FASTENERS (NUTS AND BOLTS).
## 1083 On certain motorcycles, the front brake hose could become wedged between the front fork and the fender. This allows the front fork cover to contact the brake hose causing abrasion damage as the fork moves through its travel. Continued use of the motorcycle with the brake hose trapped in this position could result in brake hose failure, creating the possibility of a crash resulting in injury or death. Correction; Dealers will inspect the front brake hose and replace it if necessary.
## 1084 1976 COMPACT, INTERMEDIATE, AND FULL SIZE PASSENGER CARS EQUIPPED WITH 360, 400, OR 440 CID, 4 BARREL ENGINES. VEHICLES MAY EXPERIENCE A CARBURETOR STEP-UP PISTON STICKING CONDITION.
## 1085 Mazda Canada is conducting a voluntary Safety Improvement Campaign concerning the drivers airbag inflator on certain vehicles equipped with Takata airbags. Mazda will replace the drivers inflator on affected vehicles. This action is not being conducted under the requirements of the Motor Vehicle Safety Act.
## 1086 THE UPPER TRANSAXLE OIL COOLER HOSE COULD PULL OUT OF THE CRIMPED COUPLING AT THE TRANSAXLE END OF THE LINE ASSEMBLY. IF THIS COUPLING WERE TO SEPARATE, TRANSAXLE OIL WOULD SPILL INTO THE ENGINE COMPARTMENT AND, IN THE PRESENCE OF AN IGNITION SOURCE, A FIRE COULD OCCUR.CORRECTION; DEALERS WILL INSTALL A NEW UPPER TRANSAXLE OIL COOLER LINE ON ALL INVOLVED VEHICLES.
## 1087 On certain fire trucks, interference may occur between the aerial front axle interlock sensor bracket and the front air brake hose. This condition occurs during full turn steering and full suspension jounce (compression). This interference may cause chaffing leading to a potential front air brake hose failure. In the event of a front brake hose failure, loss of front braking will occur, increasing the risk of a crash. Correction; Dealers will remove the existing front axle interlock sensor bracket and install a new bracket in a new location avoiding the front axle brake hose. Note; Further evaluation revealed that only U.S. vehicles are affected.
## 1088 On certain vehicles, the air ride suspension control valve supply line is not plumbed through an air pressure protection valve. In the event of an air suspension bag failure, there will be loss of air pressure in the b system which supplies air pressure to the front steer axle brakes. This could result in loss of front steer axle brakes and increased stopping distances. Correction; Air pressure protection valve will be installed.
## 1089 ONE OR BOTH OF THE FRONT BRAKE CALIPER BOLTS MAY BREAK AND ALLOW THE BROKEN PORTION OF THE BOLT TO CONTACT THE ROTATING WHEEL SPOKES. IF BOTH FRONT BRAKE CALIPER BOLTS BREAK, THE INNER CALIPER HALF MAY BECOME DETACHED LEADING TO A LOSS OF FRONT WHEEL BRAKES. XL AND SLCH SPORTSTER MODELS 3A AND 4A WITH 1000 C.C. ENGINES. FX AND FXE SUPERGLIDE MODELS 2C AND 9D WITH 1200 C.C. ENGINES.
## 1090 On certain vehicles, road salt can corrode the rear crossmember assembly, which may ultimately lead to separation of the control arm at the mounting point. This would allow the wheel to rotate off its designed axis, and could result in a loss of vehicle control and a crash causing property damage and/or personal injury. Correction; Dealers will repair or replace the rear crossmember assembly.
## 1091 ONE OR BOTH OF THE FRONT BRAKE CALIPER BOLTS MAY BREAK AND ALLOW THE BROKEN PORTION OF THE BOLT TO CONTACT THE ROTATING WHEEL SPOKES. IF BOTH FRONT BRAKE CALIPER BOLTS BREAK, THE INNER CALIPER HALF MAY BECOME DETACHED LEADING TO A LOSS OF FRONT WHEEL BRAKES. XL AND SLCH SPORTSTER MODELS 3A AND 4A WITH 1000 C.C. ENGINES. FX AND FXE SUPERGLIDE MODELS 2C AND 9D WITH 1200 C.C. ENGINES.
## 1092 On certain vehicles equipped with a Wabco quick release with double check valves, used to control park/spring brake application, the valve may leak internally. This could cause unintended partial or full park/spring brake application, which could affect service brake function and increase the risk of a crash causing injury and/or damage to property. Correction; Dealers will affect repairs.
## 1093 TRUCKS EQUIPPED WITH DETROIT DIESEL 8V-71, 8V-92 OR 6V-92 SERIES ENGINES. THE ACCELERATOR RELAY SHAFT ON THE SUBJECT ENGINES MAY CONTACT THE CAB STURCTURE AND CAUSE THE ACCELERATOR TO BIND IN POSITION WITHOUT WARNING TO THE OPERATOR.
## 1094 Certain vehicles fail to comply with requirements of CMVSS 121 - Air Brake System. The air lines were incorrectly constructed with only four layers of extruded nylon material, instead of the specified five layers. Should the air lines develop a leak, while the vehicle is in motion, it could cause the air brake system to fail, which would engage the rear spring brakes, slowing the vehicle to a stop, and preventing it from being driven. Correction; Dealers will inspect and, if required, replace the air lines.
## 1095 On certain 4-cylinder vehicles, the water pump pulley center hole was improperly machined and the pulley may dislodge from the pump which could result in severe engine damage during vehicle usage. Correction; The originally equipped water pump of each of the potentially affected vehicles will be replaced.
## 1096 On certain fire trucks, specific operating conditions (such as tight, successive, highly banked curves in opposite directions], could trigger unintended Electronic Stability Control (ESC) system intervention. As a result, the ESC may unnecessarily apply one of the front brakes in order to correct the perceived oversteer condition. This may cause the vehicle to deviate from the intended path, thereby increasing the risk of a crash causing property damage and/or personal injury. Correction; Dealers will replace the ESC module.
## 1097 On certain vehicles, the accelerator pedal may become stuck in the wide open position due to an unsecured or incompatible drivers floor mat. A stuck open accelerator pedal may result in very high vehicle speeds and make it difficult to stop the vehicle, which could cause a crash, serious injury or death. Correction; Dealers will reconfigure the shape of the accelerator pedal. Certain models will also have the shape of the floor underneath the accelerator pedal modified and/or a brake override system installed.
## 1098 THE ENGINE OIL COOLER PIPE MAY COME INTO CONTACT WITH A HYDRAULIC SYSTEM PIPE THAT CONNECTS TO THE RIGHT FRONT BRAKE CALIPER. THIS COULD CAUSE FRETTING OF THE HYDRAULIC PIPE, POTENTIALLY RESULTING IN A HYDRAULIC FLUID LEAK AND LOSS OF BRAKING EFFICIENCY. CORRECTION; A PROTECTIVE SHIELD WILL BE INSTALLED TO PREVENT CONTACT BETWEEN THE PIPES.
## 1099 THE STEERING WHEEL CENTRE HUB MAY FRACTURE DURING CERTAIN TYPES OF FRONTAL AND NEAR FRONTAL VEHICLE CRASHES. THIS WOULD REDUCE THE DRIVERS ABILITY TO CONTROL THE VEHICLE TO POSSIBLY AVOID ANY SECOND COLLISION AND COULD REDUCE THE CRASH PROTECTION OF THE STEERING SYSTEM AND DRIVER-SIDE AIR BAG.CORRECTION; DEALERS WILL INSTALL A REINFORCEMENT PLATE TO THE STEERING WHEEL HUB.
## 1100 A TWO WIRE CONNECTOR IN THE IGNITION SYSTEM SENSOR CIRCUIT COULD MALFUNCTION AND INTERRUPT THE IGNITION. THIS WOULD RESULT IN A LOSS OF ENGINE ELECTRICAL POWER AND CAUSE THE VEHICLE TO STALL.
## 1101 THE ENGINE OIL COOLER PIPE MAY COME INTO CONTACT WITH A HYDRAULIC SYSTEM PIPE THAT CONNECTS TO THE RIGHT FRONT BRAKE CALIPER. THIS COULD CAUSE FRETTING OF THE HYDRAULIC PIPE, POTENTIALLY RESULTING IN A HYDRAULIC FLUID LEAK AND LOSS OF BRAKING EFFICIENCY. CORRECTION; A PROTECTIVE SHIELD WILL BE INSTALLED TO PREVENT CONTACT BETWEEN THE PIPES.
## 1102 WHEN SHIFTING THE TRANSMISSION FROM `PARK TO EITHER `REVERSE OR `DRIVE, UNINTENDED ACCELERATION MAY OCCUR WITH THE POSSIBILITY OF A VEHICLE CRASH. CORRECTION; A SHIFT INTERLOCK WILL BE INSTALLED TO PREVENT SHIFTING FROM `PARK TO EITHER `REVERSE OR `DRIVE UNLESS THE BRAKE PEDAL IS APPLIED.
## 1103 On certain vehicles, the passenger (frontal) airbag inflator could produce excessive internal pressure during airbag deployment. Increased pressure may cause the inflator to rupture, which could allow fragments to be propelled toward vehicle occupants, increasing the risk of injury. This could also damage the airbag module, which could prevent proper deployment. Failure of the passenger airbag to fully deploy during a crash (where deployment is warranted) could increase the risk of personal injury to the seat occupant. Correction; Dealers will inspect and, if necessary, replace the passenger airbag inflator.
## 1104 THE FASTENERS WHICH JOIN THE REAR AXLE BRAKE DRUMS TO THE WHEELS WERE NOT TIGHTENED TO THE PROPER TORQUE DUE TO A SPECIFICATION ERROR. THIS COULD LEAD TO A LOOSENING CONDITION AND SUBSEQUENT DAMAGE TO THE DRUM AND BRAKES OF THE AFFECTED WHEEL. IN THE CASE OF AVEHICLE EQUIPPED WITH AIR BRAKES, STOPPING DISTANCES WOULD BE INCREASED SIGNIFICANTLY. A VEHICLE EQUIPED WITH HYDRAULIC BRAKES COULD SUFFER A TOTAL LOSS OF BRAKING CAPABILITY. THIS CAN CAUSE A VEHICLE CRASH WITHOUT PRIOR WARNING.
## 1105 Certain vehicles may not comply with Canada Motor Vehicle Safety Standard 102 - Transmission Control Functions. The transmission may be shifted out of PARK without first depressing the brake pedal. This could result in inadvertent vehicle movement, which could cause a crash resulting in injury and/or property damage. Correction; Dealers will replace the transmission range sensor.
## SYS_FAIL
## 1 airbag
## 2 brake
## 3 brake
## 4 brake
## 5 brake
## 6 engine
## 7 brake
## 8 brake
## 9 engine
## 10 engine
## 11 brake
## 12 brake
## 13 brake
## 14 structure
## 15 brake
## 16 structure
## 17 brake
## 18 engine
## 19 engine
## 20 structure
## 21 brake
## 22 engine
## 23 brake
## 24 brake
## 25 brake
## 26 airbag
## 27 engine
## 28 engine
## 29 airbag
## 30 engine
## 31 structure
## 32 airbag
## 33 brake
## 34 brake
## 35 engine
## 36 engine
## 37 brake
## 38 structure
## 39 brake
## 40 airbag
## 41 engine
## 42 airbag
## 43 brake
## 44 engine
## 45 brake
## 46 brake
## 47 brake
## 48 brake
## 49 airbag
## 50 brake
## 51 brake
## 52 airbag
## 53 engine
## 54 brake
## 55 brake
## 56 engine
## 57 brake
## 58 brake
## 59 engine
## 60 brake
## 61 engine
## 62 engine
## 63 airbag
## 64 engine
## 65 structure
## 66 brake
## 67 brake
## 68 engine
## 69 airbag
## 70 brake
## 71 engine
## 72 brake
## 73 brake
## 74 brake
## 75 airbag
## 76 brake
## 77 brake
## 78 brake
## 79 brake
## 80 brake
## 81 engine
## 82 brake
## 83 brake
## 84 airbag
## 85 brake
## 86 airbag
## 87 structure
## 88 brake
## 89 brake
## 90 structure
## 91 structure
## 92 brake
## 93 airbag
## 94 brake
## 95 brake
## 96 airbag
## 97 brake
## 98 brake
## 99 brake
## 100 brake
## 101 airbag
## 102 airbag
## 103 airbag
## 104 brake
## 105 brake
## 106 brake
## 107 brake
## 108 brake
## 109 brake
## 110 airbag
## 111 structure
## 112 airbag
## 113 brake
## 114 brake
## 115 structure
## 116 brake
## 117 brake
## 118 airbag
## 119 engine
## 120 airbag
## 121 brake
## 122 brake
## 123 brake
## 124 airbag
## 125 brake
## 126 engine
## 127 engine
## 128 engine
## 129 brake
## 130 airbag
## 131 engine
## 132 structure
## 133 brake
## 134 brake
## 135 brake
## 136 brake
## 137 structure
## 138 brake
## 139 airbag
## 140 brake
## 141 airbag
## 142 structure
## 143 brake
## 144 engine
## 145 airbag
## 146 engine
## 147 airbag
## 148 brake
## 149 brake
## 150 brake
## 151 structure
## 152 structure
## 153 engine
## 154 brake
## 155 engine
## 156 brake
## 157 brake
## 158 airbag
## 159 brake
## 160 brake
## 161 airbag
## 162 brake
## 163 structure
## 164 brake
## 165 brake
## 166 structure
## 167 brake
## 168 brake
## 169 brake
## 170 engine
## 171 brake
## 172 brake
## 173 brake
## 174 brake
## 175 brake
## 176 structure
## 177 brake
## 178 engine
## 179 engine
## 180 brake
## 181 brake
## 182 brake
## 183 airbag
## 184 engine
## 185 brake
## 186 engine
## 187 structure
## 188 brake
## 189 brake
## 190 engine
## 191 brake
## 192 engine
## 193 brake
## 194 engine
## 195 brake
## 196 engine
## 197 engine
## 198 engine
## 199 structure
## 200 brake
## 201 engine
## 202 brake
## 203 brake
## 204 engine
## 205 brake
## 206 brake
## 207 brake
## 208 airbag
## 209 engine
## 210 brake
## 211 brake
## 212 brake
## 213 brake
## 214 engine
## 215 airbag
## 216 brake
## 217 brake
## 218 engine
## 219 airbag
## 220 engine
## 221 airbag
## 222 airbag
## 223 brake
## 224 structure
## 225 brake
## 226 structure
## 227 brake
## 228 brake
## 229 brake
## 230 engine
## 231 brake
## 232 brake
## 233 engine
## 234 brake
## 235 brake
## 236 brake
## 237 brake
## 238 brake
## 239 brake
## 240 brake
## 241 brake
## 242 engine
## 243 structure
## 244 engine
## 245 brake
## 246 brake
## 247 brake
## 248 brake
## 249 brake
## 250 airbag
## 251 brake
## 252 engine
## 253 brake
## 254 structure
## 255 brake
## 256 engine
## 257 brake
## 258 airbag
## 259 brake
## 260 brake
## 261 airbag
## 262 airbag
## 263 structure
## 264 structure
## 265 structure
## 266 engine
## 267 brake
## 268 engine
## 269 brake
## 270 engine
## 271 brake
## 272 brake
## 273 airbag
## 274 engine
## 275 brake
## 276 structure
## 277 engine
## 278 airbag
## 279 brake
## 280 airbag
## 281 engine
## 282 structure
## 283 brake
## 284 brake
## 285 engine
## 286 brake
## 287 engine
## 288 brake
## 289 engine
## 290 engine
## 291 brake
## 292 engine
## 293 brake
## 294 brake
## 295 brake
## 296 engine
## 297 brake
## 298 brake
## 299 brake
## 300 engine
## 301 structure
## 302 brake
## 303 brake
## 304 brake
## 305 airbag
## 306 engine
## 307 brake
## 308 airbag
## 309 brake
## 310 brake
## 311 engine
## 312 structure
## 313 engine
## 314 engine
## 315 brake
## 316 engine
## 317 airbag
## 318 airbag
## 319 brake
## 320 brake
## 321 brake
## 322 engine
## 323 brake
## 324 brake
## 325 airbag
## 326 engine
## 327 engine
## 328 structure
## 329 brake
## 330 brake
## 331 structure
## 332 structure
## 333 brake
## 334 airbag
## 335 brake
## 336 brake
## 337 structure
## 338 brake
## 339 brake
## 340 engine
## 341 brake
## 342 structure
## 343 brake
## 344 airbag
## 345 brake
## 346 brake
## 347 brake
## 348 brake
## 349 airbag
## 350 engine
## 351 airbag
## 352 brake
## 353 brake
## 354 brake
## 355 brake
## 356 brake
## 357 engine
## 358 brake
## 359 brake
## 360 engine
## 361 engine
## 362 structure
## 363 brake
## 364 engine
## 365 brake
## 366 brake
## 367 engine
## 368 structure
## 369 airbag
## 370 airbag
## 371 engine
## 372 brake
## 373 structure
## 374 airbag
## 375 engine
## 376 brake
## 377 structure
## 378 engine
## 379 engine
## 380 brake
## 381 brake
## 382 structure
## 383 engine
## 384 engine
## 385 engine
## 386 brake
## 387 brake
## 388 airbag
## 389 airbag
## 390 brake
## 391 airbag
## 392 brake
## 393 airbag
## 394 engine
## 395 brake
## 396 structure
## 397 structure
## 398 brake
## 399 engine
## 400 brake
## 401 brake
## 402 airbag
## 403 engine
## 404 airbag
## 405 airbag
## 406 brake
## 407 brake
## 408 engine
## 409 engine
## 410 brake
## 411 engine
## 412 brake
## 413 brake
## 414 brake
## 415 brake
## 416 airbag
## 417 structure
## 418 brake
## 419 engine
## 420 airbag
## 421 brake
## 422 engine
## 423 airbag
## 424 brake
## 425 airbag
## 426 structure
## 427 brake
## 428 engine
## 429 brake
## 430 brake
## 431 airbag
## 432 brake
## 433 airbag
## 434 structure
## 435 airbag
## 436 brake
## 437 airbag
## 438 brake
## 439 brake
## 440 structure
## 441 brake
## 442 airbag
## 443 engine
## 444 brake
## 445 brake
## 446 brake
## 447 brake
## 448 brake
## 449 airbag
## 450 airbag
## 451 brake
## 452 brake
## 453 brake
## 454 structure
## 455 airbag
## 456 engine
## 457 brake
## 458 brake
## 459 engine
## 460 brake
## 461 brake
## 462 airbag
## 463 brake
## 464 brake
## 465 brake
## 466 brake
## 467 airbag
## 468 brake
## 469 structure
## 470 brake
## 471 airbag
## 472 brake
## 473 brake
## 474 brake
## 475 brake
## 476 brake
## 477 brake
## 478 engine
## 479 brake
## 480 brake
## 481 brake
## 482 brake
## 483 brake
## 484 engine
## 485 engine
## 486 brake
## 487 brake
## 488 brake
## 489 brake
## 490 brake
## 491 engine
## 492 brake
## 493 brake
## 494 airbag
## 495 brake
## 496 brake
## 497 airbag
## 498 brake
## 499 brake
## 500 engine
## 501 airbag
## 502 brake
## 503 engine
## 504 airbag
## 505 brake
## 506 brake
## 507 brake
## 508 structure
## 509 brake
## 510 brake
## 511 structure
## 512 brake
## 513 engine
## 514 brake
## 515 engine
## 516 engine
## 517 brake
## 518 engine
## 519 brake
## 520 brake
## 521 airbag
## 522 brake
## 523 brake
## 524 engine
## 525 engine
## 526 engine
## 527 airbag
## 528 airbag
## 529 airbag
## 530 engine
## 531 brake
## 532 engine
## 533 brake
## 534 airbag
## 535 engine
## 536 structure
## 537 brake
## 538 airbag
## 539 brake
## 540 engine
## 541 structure
## 542 brake
## 543 engine
## 544 brake
## 545 brake
## 546 airbag
## 547 airbag
## 548 engine
## 549 engine
## 550 structure
## 551 brake
## 552 brake
## 553 airbag
## 554 airbag
## 555 airbag
## 556 brake
## 557 brake
## 558 structure
## 559 brake
## 560 engine
## 561 engine
## 562 brake
## 563 airbag
## 564 airbag
## 565 brake
## 566 brake
## 567 airbag
## 568 brake
## 569 brake
## 570 engine
## 571 brake
## 572 engine
## 573 brake
## 574 airbag
## 575 brake
## 576 engine
## 577 brake
## 578 brake
## 579 airbag
## 580 brake
## 581 brake
## 582 brake
## 583 engine
## 584 engine
## 585 structure
## 586 brake
## 587 engine
## 588 brake
## 589 brake
## 590 airbag
## 591 airbag
## 592 engine
## 593 brake
## 594 brake
## 595 brake
## 596 engine
## 597 brake
## 598 brake
## 599 brake
## 600 brake
## 601 airbag
## 602 airbag
## 603 engine
## 604 airbag
## 605 engine
## 606 brake
## 607 brake
## 608 brake
## 609 brake
## 610 brake
## 611 airbag
## 612 engine
## 613 airbag
## 614 brake
## 615 brake
## 616 structure
## 617 engine
## 618 brake
## 619 brake
## 620 airbag
## 621 brake
## 622 engine
## 623 engine
## 624 airbag
## 625 brake
## 626 airbag
## 627 engine
## 628 brake
## 629 brake
## 630 brake
## 631 brake
## 632 airbag
## 633 engine
## 634 brake
## 635 airbag
## 636 brake
## 637 brake
## 638 structure
## 639 engine
## 640 airbag
## 641 brake
## 642 brake
## 643 brake
## 644 engine
## 645 brake
## 646 brake
## 647 structure
## 648 brake
## 649 structure
## 650 brake
## 651 engine
## 652 structure
## 653 brake
## 654 brake
## 655 brake
## 656 airbag
## 657 brake
## 658 brake
## 659 engine
## 660 airbag
## 661 engine
## 662 brake
## 663 brake
## 664 brake
## 665 brake
## 666 brake
## 667 structure
## 668 engine
## 669 brake
## 670 engine
## 671 structure
## 672 structure
## 673 structure
## 674 engine
## 675 brake
## 676 brake
## 677 brake
## 678 brake
## 679 brake
## 680 brake
## 681 airbag
## 682 engine
## 683 brake
## 684 engine
## 685 brake
## 686 engine
## 687 brake
## 688 brake
## 689 brake
## 690 airbag
## 691 engine
## 692 brake
## 693 airbag
## 694 brake
## 695 brake
## 696 engine
## 697 structure
## 698 brake
## 699 engine
## 700 airbag
## 701 engine
## 702 airbag
## 703 brake
## 704 engine
## 705 brake
## 706 brake
## 707 airbag
## 708 engine
## 709 brake
## 710 engine
## 711 engine
## 712 brake
## 713 brake
## 714 engine
## 715 engine
## 716 engine
## 717 brake
## 718 brake
## 719 airbag
## 720 brake
## 721 brake
## 722 airbag
## 723 engine
## 724 brake
## 725 brake
## 726 airbag
## 727 engine
## 728 brake
## 729 brake
## 730 brake
## 731 structure
## 732 brake
## 733 structure
## 734 engine
## 735 brake
## 736 brake
## 737 brake
## 738 brake
## 739 brake
## 740 brake
## 741 brake
## 742 brake
## 743 airbag
## 744 airbag
## 745 brake
## 746 brake
## 747 structure
## 748 engine
## 749 engine
## 750 airbag
## 751 airbag
## 752 brake
## 753 engine
## 754 airbag
## 755 airbag
## 756 brake
## 757 brake
## 758 brake
## 759 airbag
## 760 brake
## 761 structure
## 762 engine
## 763 brake
## 764 brake
## 765 brake
## 766 airbag
## 767 airbag
## 768 engine
## 769 airbag
## 770 airbag
## 771 brake
## 772 engine
## 773 brake
## 774 brake
## 775 brake
## 776 engine
## 777 brake
## 778 brake
## 779 airbag
## 780 brake
## 781 brake
## 782 airbag
## 783 engine
## 784 airbag
## 785 airbag
## 786 structure
## 787 brake
## 788 brake
## 789 brake
## 790 structure
## 791 airbag
## 792 brake
## 793 brake
## 794 structure
## 795 structure
## 796 engine
## 797 engine
## 798 engine
## 799 brake
## 800 brake
## 801 structure
## 802 brake
## 803 airbag
## 804 brake
## 805 engine
## 806 brake
## 807 brake
## 808 airbag
## 809 brake
## 810 brake
## 811 brake
## 812 engine
## 813 brake
## 814 brake
## 815 brake
## 816 engine
## 817 brake
## 818 airbag
## 819 airbag
## 820 engine
## 821 engine
## 822 brake
## 823 brake
## 824 airbag
## 825 brake
## 826 brake
## 827 brake
## 828 engine
## 829 brake
## 830 brake
## 831 brake
## 832 engine
## 833 structure
## 834 engine
## 835 brake
## 836 brake
## 837 brake
## 838 airbag
## 839 engine
## 840 engine
## 841 brake
## 842 engine
## 843 structure
## 844 engine
## 845 engine
## 846 engine
## 847 brake
## 848 brake
## 849 engine
## 850 brake
## 851 brake
## 852 brake
## 853 structure
## 854 airbag
## 855 brake
## 856 engine
## 857 brake
## 858 brake
## 859 brake
## 860 brake
## 861 engine
## 862 engine
## 863 brake
## 864 brake
## 865 airbag
## 866 engine
## 867 engine
## 868 brake
## 869 engine
## 870 brake
## 871 brake
## 872 brake
## 873 airbag
## 874 engine
## 875 brake
## 876 brake
## 877 brake
## 878 brake
## 879 airbag
## 880 engine
## 881 airbag
## 882 engine
## 883 airbag
## 884 structure
## 885 brake
## 886 engine
## 887 brake
## 888 brake
## 889 brake
## 890 brake
## 891 brake
## 892 brake
## 893 engine
## 894 engine
## 895 engine
## 896 brake
## 897 brake
## 898 airbag
## 899 brake
## 900 brake
## 901 airbag
## 902 brake
## 903 brake
## 904 brake
## 905 brake
## 906 brake
## 907 brake
## 908 airbag
## 909 brake
## 910 brake
## 911 brake
## 912 engine
## 913 brake
## 914 brake
## 915 engine
## 916 brake
## 917 brake
## 918 engine
## 919 brake
## 920 brake
## 921 airbag
## 922 engine
## 923 engine
## 924 airbag
## 925 engine
## 926 brake
## 927 brake
## 928 brake
## 929 brake
## 930 engine
## 931 engine
## 932 engine
## 933 brake
## 934 brake
## 935 brake
## 936 brake
## 937 brake
## 938 brake
## 939 engine
## 940 airbag
## 941 brake
## 942 engine
## 943 engine
## 944 engine
## 945 brake
## 946 engine
## 947 brake
## 948 brake
## 949 engine
## 950 brake
## 951 airbag
## 952 engine
## 953 brake
## 954 engine
## 955 brake
## 956 brake
## 957 brake
## 958 brake
## 959 brake
## 960 engine
## 961 engine
## 962 brake
## 963 brake
## 964 structure
## 965 brake
## 966 brake
## 967 engine
## 968 airbag
## 969 engine
## 970 engine
## 971 airbag
## 972 brake
## 973 engine
## 974 airbag
## 975 structure
## 976 engine
## 977 brake
## 978 engine
## 979 structure
## 980 brake
## 981 brake
## 982 engine
## 983 brake
## 984 brake
## 985 structure
## 986 brake
## 987 airbag
## 988 brake
## 989 brake
## 990 structure
## 991 structure
## 992 structure
## 993 brake
## 994 brake
## 995 brake
## 996 airbag
## 997 brake
## 998 brake
## 999 structure
## 1000 airbag
## 1001 brake
## 1002 brake
## 1003 airbag
## 1004 brake
## 1005 brake
## 1006 brake
## 1007 brake
## 1008 brake
## 1009 engine
## 1010 brake
## 1011 brake
## 1012 engine
## 1013 airbag
## 1014 airbag
## 1015 engine
## 1016 engine
## 1017 brake
## 1018 brake
## 1019 structure
## 1020 brake
## 1021 brake
## 1022 airbag
## 1023 brake
## 1024 airbag
## 1025 engine
## 1026 engine
## 1027 engine
## 1028 engine
## 1029 brake
## 1030 airbag
## 1031 structure
## 1032 engine
## 1033 brake
## 1034 brake
## 1035 brake
## 1036 engine
## 1037 brake
## 1038 brake
## 1039 airbag
## 1040 airbag
## 1041 brake
## 1042 structure
## 1043 airbag
## 1044 airbag
## 1045 airbag
## 1046 airbag
## 1047 brake
## 1048 airbag
## 1049 brake
## 1050 airbag
## 1051 engine
## 1052 brake
## 1053 engine
## 1054 brake
## 1055 brake
## 1056 brake
## 1057 engine
## 1058 brake
## 1059 brake
## 1060 brake
## 1061 brake
## 1062 airbag
## 1063 brake
## 1064 brake
## 1065 engine
## 1066 brake
## 1067 engine
## 1068 engine
## 1069 brake
## 1070 airbag
## 1071 brake
## 1072 engine
## 1073 engine
## 1074 structure
## 1075 brake
## 1076 structure
## 1077 brake
## 1078 brake
## 1079 airbag
## 1080 airbag
## 1081 structure
## 1082 structure
## 1083 brake
## 1084 engine
## 1085 airbag
## 1086 engine
## 1087 brake
## 1088 brake
## 1089 engine
## 1090 structure
## 1091 brake
## 1092 brake
## 1093 engine
## 1094 brake
## 1095 engine
## 1096 brake
## 1097 brake
## 1098 engine
## 1099 airbag
## 1100 engine
## 1101 brake
## 1102 brake
## 1103 airbag
## 1104 brake
## 1105 brake
ggplot() +
coord_cartesian() +
scale_x_discrete() +
scale_y_continuous() +
facet_grid(~CATEGORY_ETXT) +
labs(title='Recall by Type') +
labs(x="SYS_FAIL", y=paste("YEAR")) +
theme(axis.text.x=element_text(angle=50, size=10, vjust=0.5)) +
layer(data=dfsysfail,
mapping=aes(x=SYS_FAIL, y=as.numeric(as.character(YEAR)), color=MAKE_NAME_NM),
stat="identity",
stat_params=list(),
geom="point",
geom_params=list(),
#position=position_identity()
position=position_jitter(width=0.2, height=0)
)
We can draw a couple interesting conclusions from this plot. Airbags, in particular, never saw a recall until the 1990’s for cars, and even later for other vehicle types. This could be due to laws passed that required airbags, or it could be due to a change in public perception about the importance of airbags in their cars.
The reason that there’s so few recalls for SUVs can be attributed to the fact that it was not until recently that they actually became popular enough that they merited their own car archetype.
Another interesting pattern is that light trucks seem to have the least ammount of structural and engine issues. This holds true when for larger trucks when we compare them to cars as well. Possibly they are made sturdier, and for rougher usage, and that they therefore receive more attention during the design and engineering proccesses for issues that might arrise to poor welding and such. On the other hand, Medium and Heavy Trucks have had incredibly few recalls due to airbags over the years. I’m not sure what exactly could cause this, expect that maybe the problems with airbags stem from attempting to stuff a small bomb into a small chasie, and that with increasing vehicle size these problems are somewhat mitigated.
Lastly, there has been a massive decrease in the number of recalls attributed to structure and engine issues since 2010 accross cars and trucks. SUVs and Motorcyles continue to have problems, but it would appear that a sigificant improbement to these two systems engineering has occured, and that the roads are at least that much safer because of it!